code stringlengths 4 1.01M | language stringclasses 2 values |
|---|---|
package hu.eltesoft.modelexecution.m2t.smap.emf;
import java.io.Serializable;
import java.util.HashMap;
import java.util.Map;
import java.util.Vector;
/**
* Maps qualified EMF object references to virtual line numbers. Line numbering
* starts from one, and incremented by one when a new reference inserted.
*/
class ReferenceToLineMapping implements Serializable {
private static final long serialVersionUID = 303577619348585564L;
private final Vector<QualifiedReference> lineNumberToReference = new Vector<>();
private final Map<QualifiedReference, Integer> referenceToLineNumber = new HashMap<>();
public int addLineNumber(QualifiedReference reference) {
Integer result = toLineNumber(reference);
if (null != result) {
return result;
}
lineNumberToReference.add(reference);
int lineNumber = lineNumberToReference.size();
referenceToLineNumber.put(reference, lineNumber);
return lineNumber;
}
public Integer toLineNumber(QualifiedReference reference) {
return referenceToLineNumber.get(reference);
}
public QualifiedReference fromLineNumber(int lineNumber) {
// Vectors are indexed from zero, while lines from one
int index = lineNumber - 1;
if (index < 0 || lineNumberToReference.size() <= index) {
return null;
}
return lineNumberToReference.get(index);
}
@Override
public String toString() {
return referenceToLineNumber.toString() + ";" + lineNumberToReference.toString();
}
}
| Java |
package pacman.carte;
import java.util.ArrayList;
import pacman.personnages.Pacman;
import pacman.personnages.Personnage;
public class Labyrinthe {
public static final int NB_COLONNE = 20;
public static final int NB_LIGNE = 20;
protected int[][] grille;
protected int largeur;
protected int hauteur;
public static int LARGEUR_CASE = 25;
public static int HAUTEUR_CASE = 25;
protected ArrayList<CaseTrappe> trappes;
protected ArrayList<CaseColle> colles;
protected Case[][] tabCases;
protected int largeurTresor;
protected int hauteurTresor;
//protected Pacman pacman;
/**
*
* @param largeur la largeur du labyrinthe
* @param hauteur la hauteur du labyrinthe
*/
public Labyrinthe(int largeur, int hauteur){
grille = new int[largeur][hauteur];
tabCases = new Case[largeur][hauteur];
this.largeur = largeur;
this.trappes = new ArrayList<CaseTrappe>();
this.hauteur = hauteur;
}
public int[][] getGrille() {
return grille;
}
public void setGrille(int[][] grille) {
this.grille = grille;
}
public void setGrilleCases(Case[][] grille){
this.tabCases = grille;
}
public int getLargeur() {
return largeur;
}
/**
* Teste si une position dans le labyrinthe est disponible, pour pouvoir s'y deplacer
* @param largeur
* @param hauteur
* @return
*/
public boolean estLibre(int largeur, int hauteur){
boolean rep = true;
/* Tests bords de map */
if(largeur < 0)
rep = false;
else if((largeur >= (this.largeur))){
rep = false;
}else if((hauteur < 0)){
rep = false;
}else if((hauteur >= (this.hauteur))){
rep = false;
}
/* Test Murs */
if(rep){
Case c = getCase(largeur, hauteur);
rep = c.isAteignable();
}
return rep;
}
public int getHauteur() {
return hauteur;
}
/**
*
* @param largeur
* @param hauteur
* @return une case du labyrinthe
*/
public Case getCase(int largeur, int hauteur){
return tabCases[largeur][hauteur];
}
public int getLargeurTabCase(){
return tabCases.length;
}
public int getHauteurTabCase(){
return tabCases[0].length;
}
public void setPosTresor(int largeur, int hauteur){
this.largeurTresor=largeur;
this.hauteurTresor=hauteur;
}
public int getLargeurTresor(){
return this.largeurTresor;
}
public int getHauteurTresor(){
return this.hauteurTresor;
}
public void addCaseTrappe(Case c){
trappes.add((CaseTrappe) c);
}
public void addCaseColle(Case c){
colles.add((CaseColle) c);
}
public CaseTrappe getDestination(Pacman p){
CaseTrappe res = null;
boolean trouv = false;
int i = 0;
while(!trouv && i < trappes.size()){
CaseTrappe c = trappes.get(i);
if(c.hit(p)){
trouv = true;
res = c.getDestination();
}
i++;
}
return res;
}
public void linkTrappes(){
for(CaseTrappe c : trappes){
makeAssociation(c);
}
}
private void makeAssociation(CaseTrappe t){
CaseTrappe res = null;
boolean trouv = false;
int i = 0;
while(!trouv && i< trappes.size()){
CaseTrappe c = trappes.get(i);
if(!c.equals(t)){//si la case en cours n'est pas celle de depart
if(c.isAssociation(t)){
t.setDestination(c);
}
}
i++;
}
}
public boolean isColle(Personnage p){
for(int i=0;i<colles.size();i++){
CaseColle c = colles.get(i);
if(c.hit(p))return true;
}
return false;
}
}
| Java |
'use strict';
Object.defineProperty(exports, "__esModule", {
value: true
});
var _extends2 = require('babel-runtime/helpers/extends');
var _extends3 = _interopRequireDefault(_extends2);
var _classCallCheck2 = require('babel-runtime/helpers/classCallCheck');
var _classCallCheck3 = _interopRequireDefault(_classCallCheck2);
var _createClass2 = require('babel-runtime/helpers/createClass');
var _createClass3 = _interopRequireDefault(_createClass2);
var _possibleConstructorReturn2 = require('babel-runtime/helpers/possibleConstructorReturn');
var _possibleConstructorReturn3 = _interopRequireDefault(_possibleConstructorReturn2);
var _inherits2 = require('babel-runtime/helpers/inherits');
var _inherits3 = _interopRequireDefault(_inherits2);
var _classnames = require('classnames');
var _classnames2 = _interopRequireDefault(_classnames);
var _react = require('react');
var _react2 = _interopRequireDefault(_react);
var _lib = require('../../lib');
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }
/**
* A title sub-component for Accordion component
*/
var AccordionTitle = function (_Component) {
(0, _inherits3.default)(AccordionTitle, _Component);
function AccordionTitle() {
var _ref;
var _temp, _this, _ret;
(0, _classCallCheck3.default)(this, AccordionTitle);
for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {
args[_key] = arguments[_key];
}
return _ret = (_temp = (_this = (0, _possibleConstructorReturn3.default)(this, (_ref = AccordionTitle.__proto__ || Object.getPrototypeOf(AccordionTitle)).call.apply(_ref, [this].concat(args))), _this), _this.handleClick = function (e) {
var onClick = _this.props.onClick;
if (onClick) onClick(e, _this.props);
}, _temp), (0, _possibleConstructorReturn3.default)(_this, _ret);
}
(0, _createClass3.default)(AccordionTitle, [{
key: 'render',
value: function render() {
var _props = this.props,
active = _props.active,
children = _props.children,
className = _props.className;
var classes = (0, _classnames2.default)((0, _lib.useKeyOnly)(active, 'active'), 'title', className);
var rest = (0, _lib.getUnhandledProps)(AccordionTitle, this.props);
var ElementType = (0, _lib.getElementType)(AccordionTitle, this.props);
return _react2.default.createElement(
ElementType,
(0, _extends3.default)({}, rest, { className: classes, onClick: this.handleClick }),
children
);
}
}]);
return AccordionTitle;
}(_react.Component);
AccordionTitle.displayName = 'AccordionTitle';
AccordionTitle._meta = {
name: 'AccordionTitle',
type: _lib.META.TYPES.MODULE,
parent: 'Accordion'
};
exports.default = AccordionTitle;
process.env.NODE_ENV !== "production" ? AccordionTitle.propTypes = {
/** An element type to render as (string or function). */
as: _lib.customPropTypes.as,
/** Whether or not the title is in the open state. */
active: _react.PropTypes.bool,
/** Primary content. */
children: _react.PropTypes.node,
/** Additional classes. */
className: _react.PropTypes.string,
/**
* Called on blur.
*
* @param {SyntheticEvent} event - React's original SyntheticEvent.
* @param {object} data - All props.
*/
onClick: _react.PropTypes.func
} : void 0;
AccordionTitle.handledProps = ['active', 'as', 'children', 'className', 'onClick']; | Java |
package org.jboss.windup.reporting.rules;
import java.util.HashMap;
import java.util.Map;
import javax.inject.Inject;
import org.jboss.forge.furnace.Furnace;
import org.jboss.windup.config.AbstractRuleProvider;
import org.jboss.windup.config.GraphRewrite;
import org.jboss.windup.config.metadata.RuleMetadata;
import org.jboss.windup.config.operation.GraphOperation;
import org.jboss.windup.config.phase.PostReportGenerationPhase;
import org.jboss.windup.graph.GraphContext;
import org.jboss.windup.graph.model.WindupVertexFrame;
import org.jboss.windup.graph.service.GraphService;
import org.jboss.windup.reporting.model.ApplicationReportModel;
import org.jboss.windup.reporting.model.TemplateType;
import org.jboss.windup.reporting.model.WindupVertexListModel;
import org.jboss.windup.reporting.rules.AttachApplicationReportsToIndexRuleProvider;
import org.jboss.windup.reporting.service.ApplicationReportService;
import org.ocpsoft.rewrite.config.Configuration;
import org.ocpsoft.rewrite.config.ConfigurationBuilder;
import org.ocpsoft.rewrite.context.EvaluationContext;
/**
* This renders an application index page listing all applications analyzed by the current execution of windup.
*
* @author <a href="mailto:jesse.sightler@gmail.com">Jesse Sightler</a>
*/
@RuleMetadata(phase = PostReportGenerationPhase.class, before = AttachApplicationReportsToIndexRuleProvider.class)
public class CreateApplicationListReportRuleProvider extends AbstractRuleProvider
{
public static final String APPLICATION_LIST_REPORT = "Application List";
private static final String OUTPUT_FILENAME = "../index.html";
public static final String TEMPLATE_PATH = "/reports/templates/application_list.ftl";
@Inject
private Furnace furnace;
// @formatter:off
@Override
public Configuration getConfiguration(GraphContext context)
{
return ConfigurationBuilder.begin()
.addRule()
.perform(new GraphOperation() {
@Override
public void perform(GraphRewrite event, EvaluationContext context) {
createIndexReport(event.getGraphContext());
}
});
}
// @formatter:on
private void createIndexReport(GraphContext context)
{
ApplicationReportService applicationReportService = new ApplicationReportService(context);
ApplicationReportModel report = applicationReportService.create();
report.setReportPriority(1);
report.setReportIconClass("glyphicon glyphicon-home");
report.setReportName(APPLICATION_LIST_REPORT);
report.setTemplatePath(TEMPLATE_PATH);
report.setTemplateType(TemplateType.FREEMARKER);
report.setDisplayInApplicationReportIndex(false);
report.setReportFilename(OUTPUT_FILENAME);
GraphService<WindupVertexListModel> listService = new GraphService<>(context, WindupVertexListModel.class);
WindupVertexListModel<ApplicationReportModel> applications = listService.create();
for (ApplicationReportModel applicationReportModel : applicationReportService.findAll())
{
if (applicationReportModel.isMainApplicationReport() != null && applicationReportModel.isMainApplicationReport())
applications.addItem(applicationReportModel);
}
Map<String, WindupVertexFrame> relatedData = new HashMap<>();
relatedData.put("applications", applications);
report.setRelatedResource(relatedData);
}
}
| Java |
/**
*/
package fr.obeo.dsl.game.provider;
import fr.obeo.dsl.game.GameFactory;
import fr.obeo.dsl.game.GamePackage;
import fr.obeo.dsl.game.UI;
import java.util.Collection;
import java.util.List;
import org.eclipse.emf.common.notify.AdapterFactory;
import org.eclipse.emf.common.notify.Notification;
import org.eclipse.emf.common.util.ResourceLocator;
import org.eclipse.emf.ecore.EStructuralFeature;
import org.eclipse.emf.edit.provider.ComposeableAdapterFactory;
import org.eclipse.emf.edit.provider.IEditingDomainItemProvider;
import org.eclipse.emf.edit.provider.IItemLabelProvider;
import org.eclipse.emf.edit.provider.IItemPropertyDescriptor;
import org.eclipse.emf.edit.provider.IItemPropertySource;
import org.eclipse.emf.edit.provider.IStructuredItemContentProvider;
import org.eclipse.emf.edit.provider.ITreeItemContentProvider;
import org.eclipse.emf.edit.provider.ItemPropertyDescriptor;
import org.eclipse.emf.edit.provider.ItemProviderAdapter;
import org.eclipse.emf.edit.provider.ViewerNotification;
/**
* This is the item provider adapter for a {@link fr.obeo.dsl.game.UI} object.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public class UIItemProvider
extends ItemProviderAdapter
implements
IEditingDomainItemProvider,
IStructuredItemContentProvider,
ITreeItemContentProvider,
IItemLabelProvider,
IItemPropertySource {
/**
* This constructs an instance from a factory and a notifier.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public UIItemProvider(AdapterFactory adapterFactory) {
super(adapterFactory);
}
/**
* This returns the property descriptors for the adapted class.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
@Override
public List<IItemPropertyDescriptor> getPropertyDescriptors(Object object) {
if (itemPropertyDescriptors == null) {
super.getPropertyDescriptors(object);
addNamePropertyDescriptor(object);
addFollowPropertyDescriptor(object);
}
return itemPropertyDescriptors;
}
/**
* This adds a property descriptor for the Name feature.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
protected void addNamePropertyDescriptor(Object object) {
itemPropertyDescriptors.add
(createItemPropertyDescriptor
(((ComposeableAdapterFactory)adapterFactory).getRootAdapterFactory(),
getResourceLocator(),
getString("_UI_Scene_name_feature"),
getString("_UI_PropertyDescriptor_description", "_UI_Scene_name_feature", "_UI_Scene_type"),
GamePackage.Literals.SCENE__NAME,
true,
false,
false,
ItemPropertyDescriptor.GENERIC_VALUE_IMAGE,
null,
null));
}
/**
* This adds a property descriptor for the Follow feature.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
protected void addFollowPropertyDescriptor(Object object) {
itemPropertyDescriptors.add
(createItemPropertyDescriptor
(((ComposeableAdapterFactory)adapterFactory).getRootAdapterFactory(),
getResourceLocator(),
getString("_UI_Scene_follow_feature"),
getString("_UI_PropertyDescriptor_description", "_UI_Scene_follow_feature", "_UI_Scene_type"),
GamePackage.Literals.SCENE__FOLLOW,
true,
false,
true,
null,
null,
null));
}
/**
* This specifies how to implement {@link #getChildren} and is used to deduce an appropriate feature for an
* {@link org.eclipse.emf.edit.command.AddCommand}, {@link org.eclipse.emf.edit.command.RemoveCommand} or
* {@link org.eclipse.emf.edit.command.MoveCommand} in {@link #createCommand}.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
@Override
public Collection<? extends EStructuralFeature> getChildrenFeatures(Object object) {
if (childrenFeatures == null) {
super.getChildrenFeatures(object);
childrenFeatures.add(GamePackage.Literals.UI__WIDGETS);
}
return childrenFeatures;
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
@Override
protected EStructuralFeature getChildFeature(Object object, Object child) {
// Check the type of the specified child object and return the proper feature to use for
// adding (see {@link AddCommand}) it as a child.
return super.getChildFeature(object, child);
}
/**
* This returns UI.gif.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
@Override
public Object getImage(Object object) {
return overlayImage(object, getResourceLocator().getImage("full/obj16/UI"));
}
/**
* This returns the label text for the adapted class.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
@Override
public String getText(Object object) {
String label = ((UI)object).getName();
return label == null || label.length() == 0 ?
getString("_UI_UI_type") :
getString("_UI_UI_type") + " " + label;
}
/**
* This handles model notifications by calling {@link #updateChildren} to update any cached
* children and by creating a viewer notification, which it passes to {@link #fireNotifyChanged}.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
@Override
public void notifyChanged(Notification notification) {
updateChildren(notification);
switch (notification.getFeatureID(UI.class)) {
case GamePackage.UI__NAME:
fireNotifyChanged(new ViewerNotification(notification, notification.getNotifier(), false, true));
return;
case GamePackage.UI__WIDGETS:
fireNotifyChanged(new ViewerNotification(notification, notification.getNotifier(), true, false));
return;
}
super.notifyChanged(notification);
}
/**
* This adds {@link org.eclipse.emf.edit.command.CommandParameter}s describing the children
* that can be created under this object.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
@Override
protected void collectNewChildDescriptors(Collection<Object> newChildDescriptors, Object object) {
super.collectNewChildDescriptors(newChildDescriptors, object);
newChildDescriptors.add
(createChildParameter
(GamePackage.Literals.UI__WIDGETS,
GameFactory.eINSTANCE.createContainer()));
newChildDescriptors.add
(createChildParameter
(GamePackage.Literals.UI__WIDGETS,
GameFactory.eINSTANCE.createText()));
newChildDescriptors.add
(createChildParameter
(GamePackage.Literals.UI__WIDGETS,
GameFactory.eINSTANCE.createButton()));
newChildDescriptors.add
(createChildParameter
(GamePackage.Literals.UI__WIDGETS,
GameFactory.eINSTANCE.createIFrame()));
newChildDescriptors.add
(createChildParameter
(GamePackage.Literals.UI__WIDGETS,
GameFactory.eINSTANCE.createHTMLElement()));
}
/**
* Return the resource locator for this item provider's resources.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
@Override
public ResourceLocator getResourceLocator() {
return GameEditPlugin.INSTANCE;
}
}
| Java |
/*******************************************************************************
* Copyright (c) 2012-2017 Codenvy, S.A.
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*
* Contributors:
* Codenvy, S.A. - initial API and implementation
*******************************************************************************/
package org.eclipse.che.datasource.ide.newDatasource.connector;
import com.google.gwt.event.dom.client.ChangeEvent;
import com.google.gwt.event.dom.client.ClickEvent;
import com.google.gwt.event.dom.client.KeyPressEvent;
import com.google.gwt.event.dom.client.KeyUpEvent;
import com.google.gwt.event.logical.shared.ValueChangeEvent;
import com.google.gwt.resources.client.ImageResource;
import com.google.gwt.uibinder.client.UiBinder;
import com.google.gwt.uibinder.client.UiField;
import com.google.gwt.uibinder.client.UiHandler;
import com.google.gwt.user.client.ui.Button;
import com.google.gwt.user.client.ui.CheckBox;
import com.google.gwt.user.client.ui.Composite;
import com.google.gwt.user.client.ui.Label;
import com.google.gwt.user.client.ui.ListBox;
import com.google.gwt.user.client.ui.RadioButton;
import com.google.gwt.user.client.ui.TextBox;
import com.google.gwt.user.client.ui.Widget;
import com.google.inject.Inject;
import org.eclipse.che.datasource.ide.DatasourceUiResources;
import javax.annotation.Nullable;
public class DefaultNewDatasourceConnectorViewImpl extends Composite implements DefaultNewDatasourceConnectorView {
interface NewDatasourceViewImplUiBinder extends UiBinder<Widget, DefaultNewDatasourceConnectorViewImpl> {
}
@UiField
Label configureTitleCaption;
@UiField
TextBox hostField;
@UiField
TextBox portField;
@UiField
TextBox dbName;
@UiField
TextBox usernameField;
@UiField
TextBox passwordField;
@UiField
Button testConnectionButton;
@UiField
Label testConnectionErrorMessage;
@UiField
RadioButton radioUserPref;
@UiField
RadioButton radioProject;
@UiField
ListBox projectsList;
@UiField
CheckBox useSSL;
@UiField
CheckBox verifyServerCertificate;
@UiField
DatasourceUiResources datasourceUiResources;
@UiField
Label testConnectionText;
private ActionDelegate delegate;
protected String encryptedPassword;
protected boolean passwordFieldIsDirty = false;
private Long runnerProcessId;
@Inject
public DefaultNewDatasourceConnectorViewImpl(NewDatasourceViewImplUiBinder uiBinder) {
initWidget(uiBinder.createAndBindUi(this));
hostField.setText("localhost");
radioUserPref.setValue(true);
radioProject.setEnabled(false);
projectsList.setEnabled(false);
projectsList.setWidth("100px");
configureTitleCaption.setText("Settings");
}
@Override
public void setDelegate(DefaultNewDatasourceConnectorView.ActionDelegate delegate) {
this.delegate = delegate;
}
@Override
public void setImage(@Nullable ImageResource image) {
}
@Override
public void setDatasourceName(@Nullable String dsName) {
}
@Override
public String getDatabaseName() {
return dbName.getText();
}
@UiHandler("dbName")
public void onDatabaseNameFieldChanged(KeyUpEvent event) {
delegate.databaseNameChanged(dbName.getText());
}
@Override
public String getHostname() {
return hostField.getText();
}
@UiHandler("hostField")
public void onHostNameFieldChanged(KeyUpEvent event) {
delegate.hostNameChanged(hostField.getText());
}
@Override
public int getPort() {
return Integer.parseInt(portField.getText());
}
@Override
public String getUsername() {
return usernameField.getText();
}
@UiHandler("usernameField")
public void onUserNameFieldChanged(KeyUpEvent event) {
delegate.userNameChanged(usernameField.getText());
}
@Override
public String getPassword() {
return passwordField.getText();
}
@UiHandler("passwordField")
public void onPasswordNameFieldChanged(KeyUpEvent event) {
delegate.passwordChanged(passwordField.getText());
delegate.onClickTestConnectionButton();
}
@Override
public String getEncryptedPassword() {
return encryptedPassword;
}
@Override
public void setPort(int port) {
portField.setText(Integer.toString(port));
}
@UiHandler("portField")
public void onPortFieldChanged(KeyPressEvent event) {
if (!Character.isDigit(event.getCharCode())) {
portField.cancelKey();
}
delegate.portChanged(Integer.parseInt(portField.getText()));
}
@Override
public boolean getUseSSL() {
if (useSSL.getValue() != null) {
return useSSL.getValue();
} else {
return false;
}
}
@Override
public boolean getVerifyServerCertificate() {
if (verifyServerCertificate.getValue() != null) {
return verifyServerCertificate.getValue();
} else {
return false;
}
}
@Override
public void setDatabaseName(final String databaseName) {
dbName.setValue(databaseName);
}
@Override
public void setHostName(final String hostName) {
hostField.setValue(hostName);
}
@Override
public void setUseSSL(final boolean useSSL) {
this.useSSL.setValue(useSSL);
}
@UiHandler({"useSSL"})
void onUseSSLChanged(ValueChangeEvent<Boolean> event) {
delegate.useSSLChanged(event.getValue());
}
@Override
public void setVerifyServerCertificate(final boolean verifyServerCertificate) {
this.verifyServerCertificate.setValue(verifyServerCertificate);
}
@UiHandler({"verifyServerCertificate"})
void onVerifyServerCertificateChanged(ValueChangeEvent<Boolean> event) {
delegate.verifyServerCertificateChanged(event.getValue());
}
@Override
public void setUsername(final String username) {
usernameField.setValue(username);
}
@Override
public void setPassword(final String password) {
passwordField.setValue(password);
}
@UiHandler("testConnectionButton")
void handleClick(ClickEvent e) {
delegate.onClickTestConnectionButton();
}
@UiHandler("testConnectionText")
void handleTextClick(ClickEvent e) {
delegate.onClickTestConnectionButton();
}
@Override
public void onTestConnectionSuccess() {
// turn button green
testConnectionButton.setStyleName(datasourceUiResources.datasourceUiCSS().datasourceWizardTestConnectionOK());
// clear error messages
testConnectionErrorMessage.setText("Connection Established Successfully!");
}
@Override
public void onTestConnectionFailure(String errorMessage) {
// turn test button red
testConnectionButton.setStyleName(datasourceUiResources.datasourceUiCSS().datasourceWizardTestConnectionKO());
// set message
testConnectionErrorMessage.setText(errorMessage);
}
@Override
public void setEncryptedPassword(String encryptedPassword, boolean resetPasswordField) {
this.encryptedPassword = encryptedPassword;
passwordFieldIsDirty = false;
if (resetPasswordField) {
passwordField.setText("");
}
}
@UiHandler("passwordField")
public void handlePasswordFieldChanges(ChangeEvent event) {
passwordFieldIsDirty = true;
}
@Override
public boolean isPasswordFieldDirty() {
return passwordFieldIsDirty;
}
@Override
public Long getRunnerProcessId() {
return runnerProcessId;
}
@Override
public void setRunnerProcessId(Long runnerProcessId) {
this.runnerProcessId = runnerProcessId;
}
}
| Java |
/*************************************************************************
*** FORTE Library Element
***
*** This file was generated using the 4DIAC FORTE Export Filter V1.0.x!
***
*** Name: F_TIME_TO_USINT
*** Description: convert TIME to USINT
*** Version:
*** 0.0: 2013-08-29/4DIAC-IDE - 4DIAC-Consortium - null
*************************************************************************/
#include "F_TIME_TO_USINT.h"
#ifdef FORTE_ENABLE_GENERATED_SOURCE_CPP
#include "F_TIME_TO_USINT_gen.cpp"
#endif
DEFINE_FIRMWARE_FB(FORTE_F_TIME_TO_USINT, g_nStringIdF_TIME_TO_USINT)
const CStringDictionary::TStringId FORTE_F_TIME_TO_USINT::scm_anDataInputNames[] = {g_nStringIdIN};
const CStringDictionary::TStringId FORTE_F_TIME_TO_USINT::scm_anDataInputTypeIds[] = {g_nStringIdTIME};
const CStringDictionary::TStringId FORTE_F_TIME_TO_USINT::scm_anDataOutputNames[] = {g_nStringIdOUT};
const CStringDictionary::TStringId FORTE_F_TIME_TO_USINT::scm_anDataOutputTypeIds[] = {g_nStringIdUSINT};
const TForteInt16 FORTE_F_TIME_TO_USINT::scm_anEIWithIndexes[] = {0};
const TDataIOID FORTE_F_TIME_TO_USINT::scm_anEIWith[] = {0, 255};
const CStringDictionary::TStringId FORTE_F_TIME_TO_USINT::scm_anEventInputNames[] = {g_nStringIdREQ};
const TDataIOID FORTE_F_TIME_TO_USINT::scm_anEOWith[] = {0, 255};
const TForteInt16 FORTE_F_TIME_TO_USINT::scm_anEOWithIndexes[] = {0, -1};
const CStringDictionary::TStringId FORTE_F_TIME_TO_USINT::scm_anEventOutputNames[] = {g_nStringIdCNF};
const SFBInterfaceSpec FORTE_F_TIME_TO_USINT::scm_stFBInterfaceSpec = {
1, scm_anEventInputNames, scm_anEIWith, scm_anEIWithIndexes,
1, scm_anEventOutputNames, scm_anEOWith, scm_anEOWithIndexes, 1, scm_anDataInputNames, scm_anDataInputTypeIds,
1, scm_anDataOutputNames, scm_anDataOutputTypeIds,
0, 0
};
void FORTE_F_TIME_TO_USINT::executeEvent(int pa_nEIID){
if(scm_nEventREQID == pa_nEIID){
OUT() = TIME_TO_USINT(IN());
sendOutputEvent(scm_nEventCNFID);
}
}
| Java |
/**
*/
package org.eclipse.xtext.impl;
import org.eclipse.emf.ecore.EClass;
import org.eclipse.xtext.UntilToken;
import org.eclipse.xtext.XtextPackage;
/**
* <!-- begin-user-doc -->
* An implementation of the model object '<em><b>Until Token</b></em>'.
* <!-- end-user-doc -->
*
* @generated
*/
public class UntilTokenImpl extends AbstractNegatedTokenImpl implements UntilToken {
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
protected UntilTokenImpl() {
super();
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
@Override
protected EClass eStaticClass() {
return XtextPackage.Literals.UNTIL_TOKEN;
}
} //UntilTokenImpl
| Java |
/*
* generated by Xtext
*/
package org.eclipse.xtext.testlanguages.fileAware.scoping;
import org.eclipse.emf.ecore.EObject;
import org.eclipse.emf.ecore.EReference;
import org.eclipse.xtext.scoping.IGlobalScopeProvider;
import org.eclipse.xtext.scoping.IScope;
import org.eclipse.xtext.testlanguages.fileAware.fileAware.FileAwarePackage;
import com.google.inject.Inject;
/**
* This class contains custom scoping description.
*
* See https://www.eclipse.org/Xtext/documentation/303_runtime_concepts.html#scoping
* on how and when to use it.
*/
public class FileAwareTestLanguageScopeProvider extends AbstractFileAwareTestLanguageScopeProvider {
@Inject IGlobalScopeProvider global;
public IScope getScope(EObject context, EReference reference) {
if (reference == FileAwarePackage.Literals.IMPORT__ELEMENT) {
return global.getScope(context.eResource(), reference, null);
}
return super.getScope(context, reference);
}
}
| Java |
/*******************************************************************************
* Copyright (c) 1998, 2012 Oracle and/or its affiliates. All rights reserved.
* This program and the accompanying materials are made available under the
* terms of the Eclipse Public License v1.0 and Eclipse Distribution License v. 1.0
* which accompanies this distribution.
* The Eclipse Public License is available at http://www.eclipse.org/legal/epl-v10.html
* and the Eclipse Distribution License is available at
* http://www.eclipse.org/org/documents/edl-v10.php.
*
* Contributors:
* Oracle - initial API and implementation from Oracle TopLink
******************************************************************************/
package org.eclipse.persistence.testing.oxm.readonly;
import org.eclipse.persistence.sessions.Project;
import org.eclipse.persistence.oxm.*;
import org.eclipse.persistence.oxm.mappings.XMLDirectMapping;
public class OneDirectMappingProject extends Project
{
public OneDirectMappingProject()
{
super();
addEmployeeDescriptor();
}
public void addEmployeeDescriptor()
{
XMLDescriptor descriptor = new XMLDescriptor();
descriptor.setDefaultRootElement("employee");
descriptor.setJavaClass(Employee.class);
XMLDirectMapping firstNameMapping = new XMLDirectMapping();
firstNameMapping.setAttributeName("firstName");
firstNameMapping.setXPath("first-name/text()");
firstNameMapping.readOnly();
descriptor.addMapping(firstNameMapping);
this.addDescriptor(descriptor);
}
}
| Java |
# Map Transformation Service
Transforms the input by mapping it to another string. It expects the mappings to be read from a file which is stored under the `transform` folder.
The file name must have the `.map` extension.
This file should be in property syntax, i.e. simple lines with "key=value" pairs.
The file format is documented [here](https://docs.oracle.com/javase/8/docs/api/java/util/Properties.html#load-java.io.Reader-).
To organize the various transformations one might use subfolders.
A default value can be provided if no matching entry is found by using "=value" syntax
## Example
transform/binary.map:
```properties
key=value
1=ON
0=OFF
ON=1
OFF=0
white\ space=showing escape
=default
```
| input | output |
|---------------|----------------|
| `1` | `ON` |
| `OFF` | `0` |
| `key` | `value` |
| `white space` | `using escape` |
| `anything` | `default` |
## Usage as a Profile
The functionality of this `TransformationService` can be used in a `Profile` on an `ItemChannelLink` too.
To do so, it can be configured in the `.items` file as follows:
```java
String <itemName> { channel="<channelUID>"[profile="transform:MAP", function="<filename>", sourceFormat="<valueFormat>"]}
```
The mapping filename (within the `transform` folder) has to be set in the `function` parameter.
The parameter `sourceFormat` is optional and can be used to format the input value **before** the transformation, i.e. `%.3f`.
If omitted the default is `%s`, so the input value will be put into the transformation without any format changes.
Please note: This profile is a one-way transformation, i.e. only values from a device towards the item are changed, the other direction is left untouched.
| Java |
package com.odcgroup.page.transformmodel.ui.builder;
import org.eclipse.core.runtime.Assert;
import com.odcgroup.mdf.ecore.util.DomainRepository;
import com.odcgroup.page.metamodel.MetaModel;
import com.odcgroup.page.metamodel.util.MetaModelRegistry;
import com.odcgroup.page.model.corporate.CorporateDesign;
import com.odcgroup.page.model.corporate.CorporateDesignUtils;
import com.odcgroup.page.model.util.WidgetFactory;
import com.odcgroup.workbench.core.IOfsProject;
/**
* The WidgetBuilderContext is used to provide information to all the different
* WidgetBuilder's used when building a Widget.
*
* @author Gary Hayes
*/
public class WidgetBuilderContext {
/** The OFS project for which we are building Widgets. */
private IOfsProject ofsProject;
/** This is the corporate design to use when building template. */
private CorporateDesign corporateDesign;
/** The WidgetBuilderFactory used to build Widgets. */
private WidgetBuilderFactory widgetBuilderFactory;
/**
* Creates a new WidgetBuilderContext.
*
* @param ofsProject The OFS project for which we are building Widgets
* @param widgetBuilderFactory The WidgetBuilderFactory used to build Widgets
*/
public WidgetBuilderContext(IOfsProject ofsProject, WidgetBuilderFactory widgetBuilderFactory) {
Assert.isNotNull(ofsProject);
Assert.isNotNull(widgetBuilderFactory);
this.ofsProject = ofsProject;
this.widgetBuilderFactory = widgetBuilderFactory;
corporateDesign = CorporateDesignUtils.getCorporateDesign(ofsProject);
}
/**
* Gets the path containing the model definitions.
*
* @return path
*/
public final DomainRepository getDomainRepository() {
return DomainRepository.getInstance(ofsProject);
}
/**
* Gets the Corporate Design.
*
* @return CorporateDesign The corporate design attached to this builder
*/
public final CorporateDesign getCorporateDesign() {
return corporateDesign;
}
/**
* Gets the metamodel.
*
* @return MetaModel The metamodel.
*/
public final MetaModel getMetaModel() {
return MetaModelRegistry.getMetaModel();
}
/**
* Gets the project for which we are building Widgets.
*
* @return IProject
*/
public final IOfsProject getOfsProject() {
return ofsProject;
}
/**
* Gets the Factory used to build Widgets.
*
* @return WidgetBuilderFactory
*/
public final WidgetBuilderFactory getBuilderFactory() {
return widgetBuilderFactory;
}
/**
* Gets the WidgetFactory.
*
* @return WidgetFactory The WidgetFactory
*/
public WidgetFactory getWidgetFactory() {
return new WidgetFactory();
}
} | Java |
/*******************************************************************************
* Copyright 2009 Regents of the University of Minnesota. All rights
* reserved.
* Copyright 2009 Mayo Foundation for Medical Education and Research.
* All rights reserved.
*
* This program is made available under the terms of the Eclipse
* Public License v1.0 which accompanies this distribution,
* and is available at http://www.eclipse.org/legal/epl-v10.html
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, EITHER EXPRESS OR
* IMPLIED INCLUDING, WITHOUT LIMITATION, ANY WARRANTIES OR CONDITIONS
* OF TITLE, NON-INFRINGEMENT, MERCHANTABILITY OR FITNESS FOR A
* PARTICULAR PURPOSE. See the License for the specific language
* governing permissions and limitations under the License.
*
* Contributors:
* Minnesota Supercomputing Institute - initial API and implementation
******************************************************************************/
package edu.umn.msi.tropix.storage.client.impl;
import java.util.HashMap;
import java.util.Map;
import org.easymock.EasyMock;
import org.testng.annotations.Test;
import edu.umn.msi.tropix.common.test.EasyMockUtils;
import edu.umn.msi.tropix.grid.credentials.Credential;
import edu.umn.msi.tropix.models.TropixFile;
import edu.umn.msi.tropix.storage.client.ModelStorageData;
public class ModelStorageDataFactoryImplTest {
@Test(groups = "unit")
public void get() {
final ModelStorageDataFactoryImpl factory = new ModelStorageDataFactoryImpl();
final TropixFileFactory tfFactory = EasyMock.createMock(TropixFileFactory.class);
factory.setTropixFileFactory(tfFactory);
final Credential proxy = EasyMock.createMock(Credential.class);
TropixFile tropixFile = new TropixFile();
ModelStorageData mds = EasyMock.createMock(ModelStorageData.class);
final String serviceUrl = "http://storage";
final Map<String, Object> map = new HashMap<String, Object>();
map.put("storageServiceUrl", serviceUrl);
tfFactory.getStorageData(EasyMockUtils.<TropixFile>isBeanWithProperties(map), EasyMock.same(proxy));
EasyMock.expectLastCall().andReturn(mds);
EasyMock.replay(tfFactory);
assert mds == factory.getStorageData(serviceUrl, proxy);
EasyMockUtils.verifyAndReset(tfFactory);
tropixFile = new TropixFile();
mds = EasyMock.createMock(ModelStorageData.class);
map.put("fileId", "12345");
tfFactory.getStorageData(EasyMockUtils.<TropixFile>isBeanWithProperties(map), EasyMock.same(proxy));
EasyMock.expectLastCall().andReturn(mds);
EasyMock.replay(tfFactory);
assert mds == factory.getStorageData("12345", serviceUrl, proxy);
EasyMockUtils.verifyAndReset(tfFactory);
tropixFile = new TropixFile();
mds = EasyMock.createMock(ModelStorageData.class);
tfFactory.getStorageData(EasyMock.same(tropixFile), EasyMock.same(proxy));
EasyMock.expectLastCall().andReturn(mds);
EasyMock.replay(tfFactory);
assert mds == factory.getStorageData(tropixFile, proxy);
EasyMockUtils.verifyAndReset(tfFactory);
}
}
| Java |
/*******************************************************************************
* Copyright (c) 2005, 2009 IBM Corporation and others.
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*
* Contributors:
* IBM Corporation - initial API and implementation
*
*******************************************************************************/
package org.eclipse.wst.dtd.ui.internal.wizard;
import org.eclipse.jface.dialogs.Dialog;
import org.eclipse.jface.preference.PreferenceDialog;
import org.eclipse.jface.resource.JFaceResources;
import org.eclipse.jface.text.Document;
import org.eclipse.jface.text.IDocument;
import org.eclipse.jface.text.source.ISourceViewer;
import org.eclipse.jface.text.source.SourceViewer;
import org.eclipse.jface.text.source.SourceViewerConfiguration;
import org.eclipse.jface.text.templates.DocumentTemplateContext;
import org.eclipse.jface.text.templates.Template;
import org.eclipse.jface.text.templates.TemplateBuffer;
import org.eclipse.jface.text.templates.TemplateContext;
import org.eclipse.jface.text.templates.TemplateContextType;
import org.eclipse.jface.text.templates.persistence.TemplateStore;
import org.eclipse.jface.viewers.ISelectionChangedListener;
import org.eclipse.jface.viewers.IStructuredContentProvider;
import org.eclipse.jface.viewers.IStructuredSelection;
import org.eclipse.jface.viewers.ITableLabelProvider;
import org.eclipse.jface.viewers.LabelProvider;
import org.eclipse.jface.viewers.SelectionChangedEvent;
import org.eclipse.jface.viewers.StructuredSelection;
import org.eclipse.jface.viewers.TableLayout;
import org.eclipse.jface.viewers.TableViewer;
import org.eclipse.jface.viewers.Viewer;
import org.eclipse.jface.viewers.ViewerSorter;
import org.eclipse.jface.wizard.WizardPage;
import org.eclipse.swt.SWT;
import org.eclipse.swt.events.ControlAdapter;
import org.eclipse.swt.events.ControlEvent;
import org.eclipse.swt.events.SelectionAdapter;
import org.eclipse.swt.events.SelectionEvent;
import org.eclipse.swt.graphics.Image;
import org.eclipse.swt.graphics.Point;
import org.eclipse.swt.graphics.Rectangle;
import org.eclipse.swt.layout.GridData;
import org.eclipse.swt.layout.GridLayout;
import org.eclipse.swt.widgets.Button;
import org.eclipse.swt.widgets.Composite;
import org.eclipse.swt.widgets.Control;
import org.eclipse.swt.widgets.Label;
import org.eclipse.swt.widgets.Link;
import org.eclipse.swt.widgets.Table;
import org.eclipse.swt.widgets.TableColumn;
import org.eclipse.ui.PlatformUI;
import org.eclipse.ui.dialogs.PreferencesUtil;
import org.eclipse.wst.dtd.core.internal.provisional.contenttype.ContentTypeIdForDTD;
import org.eclipse.wst.dtd.ui.StructuredTextViewerConfigurationDTD;
import org.eclipse.wst.dtd.ui.internal.DTDUIMessages;
import org.eclipse.wst.dtd.ui.internal.DTDUIPlugin;
import org.eclipse.wst.dtd.ui.internal.Logger;
import org.eclipse.wst.dtd.ui.internal.editor.IHelpContextIds;
import org.eclipse.wst.dtd.ui.internal.preferences.DTDUIPreferenceNames;
import org.eclipse.wst.dtd.ui.internal.templates.TemplateContextTypeIdsDTD;
import org.eclipse.wst.sse.core.StructuredModelManager;
import org.eclipse.wst.sse.core.internal.provisional.IStructuredModel;
import org.eclipse.wst.sse.ui.StructuredTextViewerConfiguration;
import org.eclipse.wst.sse.ui.internal.StructuredTextViewer;
import org.eclipse.wst.sse.ui.internal.provisional.style.LineStyleProvider;
/**
* Templates page in new file wizard. Allows users to select a new file
* template to be applied in new file.
*
*/
public class NewDTDTemplatesWizardPage extends WizardPage {
/**
* Content provider for templates
*/
private class TemplateContentProvider implements IStructuredContentProvider {
/** The template store. */
private TemplateStore fStore;
/*
* @see IContentProvider#dispose()
*/
public void dispose() {
fStore = null;
}
/*
* @see IStructuredContentProvider#getElements(Object)
*/
public Object[] getElements(Object input) {
return fStore.getTemplates(TemplateContextTypeIdsDTD.NEW);
}
/*
* @see IContentProvider#inputChanged(Viewer, Object, Object)
*/
public void inputChanged(Viewer viewer, Object oldInput, Object newInput) {
fStore = (TemplateStore) newInput;
}
}
/**
* Label provider for templates.
*/
private class TemplateLabelProvider extends LabelProvider implements ITableLabelProvider {
/*
* @see org.eclipse.jface.viewers.ITableLabelProvider#getColumnImage(java.lang.Object,
* int)
*/
public Image getColumnImage(Object element, int columnIndex) {
return null;
}
/*
* @see org.eclipse.jface.viewers.ITableLabelProvider#getColumnText(java.lang.Object,
* int)
*/
public String getColumnText(Object element, int columnIndex) {
Template template = (Template) element;
switch (columnIndex) {
case 0 :
return template.getName();
case 1 :
return template.getDescription();
default :
return ""; //$NON-NLS-1$
}
}
}
/** Last selected template name */
private String fLastSelectedTemplateName;
/** The viewer displays the pattern of selected template. */
private SourceViewer fPatternViewer;
/** The table presenting the templates. */
private TableViewer fTableViewer;
/** Template store used by this wizard page */
private TemplateStore fTemplateStore;
/** Checkbox for using templates. */
private Button fUseTemplateButton;
public NewDTDTemplatesWizardPage() {
super("NewDTDTemplatesWizardPage", DTDUIMessages.NewDTDTemplatesWizardPage_0, null); //$NON-NLS-1$
setDescription(DTDUIMessages.NewDTDTemplatesWizardPage_1);
}
/**
* Correctly resizes the table so no phantom columns appear
*
* @param parent
* the parent control
* @param buttons
* the buttons
* @param table
* the table
* @param column1
* the first column
* @param column2
* the second column
* @param column3
* the third column
*/
private void configureTableResizing(final Composite parent, final Table table, final TableColumn column1, final TableColumn column2) {
parent.addControlListener(new ControlAdapter() {
public void controlResized(ControlEvent e) {
Rectangle area = parent.getClientArea();
Point preferredSize = table.computeSize(SWT.DEFAULT, SWT.DEFAULT);
int width = area.width - 2 * table.getBorderWidth();
if (preferredSize.y > area.height) {
// Subtract the scrollbar width from the total column
// width
// if a vertical scrollbar will be required
Point vBarSize = table.getVerticalBar().getSize();
width -= vBarSize.x;
}
Point oldSize = table.getSize();
if (oldSize.x > width) {
// table is getting smaller so make the columns
// smaller first and then resize the table to
// match the client area width
column1.setWidth(width / 2);
column2.setWidth(width / 2);
table.setSize(width, area.height);
}
else {
// table is getting bigger so make the table
// bigger first and then make the columns wider
// to match the client area width
table.setSize(width, area.height);
column1.setWidth(width / 2);
column2.setWidth(width / 2);
}
}
});
}
public void createControl(Composite ancestor) {
Composite parent = new Composite(ancestor, SWT.NONE);
GridLayout layout = new GridLayout();
layout.numColumns = 2;
parent.setLayout(layout);
// create checkbox for user to use DTD Template
fUseTemplateButton = new Button(parent, SWT.CHECK);
fUseTemplateButton.setText(DTDUIMessages.NewDTDTemplatesWizardPage_4);
GridData data = new GridData(SWT.FILL, SWT.FILL, true, false, 2, 1);
fUseTemplateButton.setLayoutData(data);
fUseTemplateButton.addSelectionListener(new SelectionAdapter() {
public void widgetSelected(SelectionEvent e) {
enableTemplates();
}
});
// create composite for Templates table
Composite innerParent = new Composite(parent, SWT.NONE);
GridLayout innerLayout = new GridLayout();
innerLayout.numColumns = 2;
innerLayout.marginHeight = 0;
innerLayout.marginWidth = 0;
innerParent.setLayout(innerLayout);
GridData gd = new GridData(SWT.FILL, SWT.FILL, true, true, 2, 1);
innerParent.setLayoutData(gd);
Label label = new Label(innerParent, SWT.NONE);
label.setText(DTDUIMessages.NewDTDTemplatesWizardPage_7);
data = new GridData(SWT.FILL, SWT.FILL, true, false, 2, 1);
label.setLayoutData(data);
// create table that displays templates
Table table = new Table(innerParent, SWT.BORDER | SWT.FULL_SELECTION);
data = new GridData(GridData.FILL_BOTH);
data.widthHint = convertWidthInCharsToPixels(2);
data.heightHint = convertHeightInCharsToPixels(10);
data.horizontalSpan = 2;
table.setLayoutData(data);
table.setHeaderVisible(true);
table.setLinesVisible(true);
TableLayout tableLayout = new TableLayout();
table.setLayout(tableLayout);
TableColumn column1 = new TableColumn(table, SWT.NONE);
column1.setText(DTDUIMessages.NewDTDTemplatesWizardPage_2);
TableColumn column2 = new TableColumn(table, SWT.NONE);
column2.setText(DTDUIMessages.NewDTDTemplatesWizardPage_3);
fTableViewer = new TableViewer(table);
fTableViewer.setLabelProvider(new TemplateLabelProvider());
fTableViewer.setContentProvider(new TemplateContentProvider());
fTableViewer.setSorter(new ViewerSorter() {
public int compare(Viewer viewer, Object object1, Object object2) {
if ((object1 instanceof Template) && (object2 instanceof Template)) {
Template left = (Template) object1;
Template right = (Template) object2;
int result = left.getName().compareToIgnoreCase(right.getName());
if (result != 0)
return result;
return left.getDescription().compareToIgnoreCase(right.getDescription());
}
return super.compare(viewer, object1, object2);
}
public boolean isSorterProperty(Object element, String property) {
return true;
}
});
fTableViewer.addSelectionChangedListener(new ISelectionChangedListener() {
public void selectionChanged(SelectionChangedEvent e) {
updateViewerInput();
}
});
// create viewer that displays currently selected template's contents
fPatternViewer = doCreateViewer(parent);
fTemplateStore = DTDUIPlugin.getDefault().getTemplateStore();
fTableViewer.setInput(fTemplateStore);
// Create linked text to just to templates preference page
Link link = new Link(parent, SWT.NONE);
link.setText(DTDUIMessages.NewDTDTemplatesWizardPage_6);
data = new GridData(SWT.END, SWT.FILL, true, false, 2, 1);
link.setLayoutData(data);
link.addSelectionListener(new SelectionAdapter() {
public void widgetSelected(SelectionEvent e) {
linkClicked();
}
});
configureTableResizing(innerParent, table, column1, column2);
loadLastSavedPreferences();
PlatformUI.getWorkbench().getHelpSystem().setHelp(parent, IHelpContextIds.DTD_NEWWIZARD_TEMPLATE_HELPID);
Dialog.applyDialogFont(parent);
setControl(parent);
}
/**
* Creates, configures and returns a source viewer to present the template
* pattern on the preference page. Clients may override to provide a
* custom source viewer featuring e.g. syntax coloring.
*
* @param parent
* the parent control
* @return a configured source viewer
*/
private SourceViewer createViewer(Composite parent) {
SourceViewerConfiguration sourceViewerConfiguration = new StructuredTextViewerConfiguration() {
StructuredTextViewerConfiguration baseConfiguration = new StructuredTextViewerConfigurationDTD();
public String[] getConfiguredContentTypes(ISourceViewer sourceViewer) {
return baseConfiguration.getConfiguredContentTypes(sourceViewer);
}
public LineStyleProvider[] getLineStyleProviders(ISourceViewer sourceViewer, String partitionType) {
return baseConfiguration.getLineStyleProviders(sourceViewer, partitionType);
}
};
SourceViewer viewer = new StructuredTextViewer(parent, null, null, false, SWT.BORDER | SWT.V_SCROLL | SWT.H_SCROLL);
viewer.getTextWidget().setFont(JFaceResources.getFont("org.eclipse.wst.sse.ui.textfont")); //$NON-NLS-1$
IStructuredModel scratchModel = StructuredModelManager.getModelManager().createUnManagedStructuredModelFor(ContentTypeIdForDTD.ContentTypeID_DTD);
IDocument document = scratchModel.getStructuredDocument();
viewer.configure(sourceViewerConfiguration);
viewer.setDocument(document);
return viewer;
}
private SourceViewer doCreateViewer(Composite parent) {
Label label = new Label(parent, SWT.NONE);
label.setText(DTDUIMessages.NewDTDTemplatesWizardPage_5);
GridData data = new GridData();
data.horizontalSpan = 2;
label.setLayoutData(data);
SourceViewer viewer = createViewer(parent);
viewer.setEditable(false);
Control control = viewer.getControl();
data = new GridData(GridData.FILL_BOTH);
data.horizontalSpan = 2;
data.heightHint = convertHeightInCharsToPixels(5);
// [261274] - source viewer was growing to fit the max line width of the template
data.widthHint = convertWidthInCharsToPixels(2);
control.setLayoutData(data);
return viewer;
}
/**
* Enable/disable controls in page based on fUseTemplateButton's current
* state.
*/
void enableTemplates() {
boolean enabled = fUseTemplateButton.getSelection();
if (!enabled) {
// save last selected template
Template template = getSelectedTemplate();
if (template != null)
fLastSelectedTemplateName = template.getName();
else
fLastSelectedTemplateName = ""; //$NON-NLS-1$
fTableViewer.setSelection(null);
}
else {
setSelectedTemplate(fLastSelectedTemplateName);
}
fTableViewer.getControl().setEnabled(enabled);
fPatternViewer.getControl().setEnabled(enabled);
}
/**
* Return the template preference page id
*
* @return
*/
private String getPreferencePageId() {
return "org.eclipse.wst.sse.ui.preferences.dtd.templates"; //$NON-NLS-1$
}
/**
* Get the currently selected template.
*
* @return
*/
private Template getSelectedTemplate() {
Template template = null;
IStructuredSelection selection = (IStructuredSelection) fTableViewer.getSelection();
if (selection.size() == 1) {
template = (Template) selection.getFirstElement();
}
return template;
}
/**
* Returns template string to insert.
*
* @return String to insert or null if none is to be inserted
*/
String getTemplateString() {
String templateString = null;
Template template = getSelectedTemplate();
if (template != null) {
TemplateContextType contextType = DTDUIPlugin.getDefault().getTemplateContextRegistry().getContextType(TemplateContextTypeIdsDTD.NEW);
IDocument document = new Document();
TemplateContext context = new DocumentTemplateContext(contextType, document, 0, 0);
try {
TemplateBuffer buffer = context.evaluate(template);
templateString = buffer.getString();
}
catch (Exception e) {
Logger.log(Logger.WARNING_DEBUG, "Could not create template for new dtd", e); //$NON-NLS-1$
}
}
return templateString;
}
void linkClicked() {
String pageId = getPreferencePageId();
PreferenceDialog dialog = PreferencesUtil.createPreferenceDialogOn(getShell(), pageId, new String[]{pageId}, null);
dialog.open();
fTableViewer.refresh();
}
/**
* Load the last template name used in New DTD File wizard.
*/
private void loadLastSavedPreferences() {
String templateName = DTDUIPlugin.getDefault().getPreferenceStore().getString(DTDUIPreferenceNames.NEW_FILE_TEMPLATE_NAME);
if (templateName == null || templateName.length() == 0) {
fLastSelectedTemplateName = ""; //$NON-NLS-1$
fUseTemplateButton.setSelection(false);
}
else {
fLastSelectedTemplateName = templateName;
fUseTemplateButton.setSelection(true);
}
enableTemplates();
}
/**
* Save template name used for next call to New DTD File wizard.
*/
void saveLastSavedPreferences() {
String templateName = ""; //$NON-NLS-1$
Template template = getSelectedTemplate();
if (template != null) {
templateName = template.getName();
}
DTDUIPlugin.getDefault().getPreferenceStore().setValue(DTDUIPreferenceNames.NEW_FILE_TEMPLATE_NAME, templateName);
DTDUIPlugin.getDefault().savePluginPreferences();
}
/**
* Select a template in the table viewer given the template name. If
* template name cannot be found or templateName is null, just select
* first item in table. If no items in table select nothing.
*
* @param templateName
*/
private void setSelectedTemplate(String templateName) {
Object template = null;
if (templateName != null && templateName.length() > 0) {
// pick the last used template
template = fTemplateStore.findTemplate(templateName, TemplateContextTypeIdsDTD.NEW);
}
// no record of last used template so just pick first element
if (template == null) {
// just pick first element
template = fTableViewer.getElementAt(0);
}
if (template != null) {
IStructuredSelection selection = new StructuredSelection(template);
fTableViewer.setSelection(selection, true);
}
}
/**
* Updates the pattern viewer.
*/
void updateViewerInput() {
Template template = getSelectedTemplate();
if (template != null) {
fPatternViewer.getDocument().set(template.getPattern());
}
else {
fPatternViewer.getDocument().set(""); //$NON-NLS-1$
}
}
}
| Java |
#include "pMidiToFrequency.h"
#include "../pObjectList.hpp"
#include "../../dsp/math.hpp"
using namespace YSE::PATCHER;
#define className pMidiToFrequency
CONSTRUCT() {
midiValue = 0.f;
ADD_IN_0;
REG_FLOAT_IN(SetMidi);
REG_INT_IN(SetMidiInt);
ADD_OUT_FLOAT;
}
FLOAT_IN(SetMidi) {
midiValue = value;
}
INT_IN(SetMidiInt) {
midiValue = (float)value;
}
CALC() {
outputs[0].SendFloat(YSE::DSP::MidiToFreq(midiValue), thread);
}
| Java |
/*******************************************************************************
* Copyright (c) 2021 IBM Corporation and others.
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*
* Contributors:
* IBM Corporation - initial API and implementation
*******************************************************************************/
package com.ibm.ws.jpa.fvt.entity.tests.web;
import java.util.HashMap;
import javax.annotation.PostConstruct;
import javax.persistence.EntityManager;
import javax.persistence.EntityManagerFactory;
import javax.persistence.PersistenceContext;
import javax.persistence.PersistenceUnit;
import javax.servlet.annotation.WebServlet;
import org.junit.Test;
import com.ibm.ws.jpa.fvt.entity.testlogic.EmbeddableIDTestLogic;
import com.ibm.ws.testtooling.testinfo.JPAPersistenceContext;
import com.ibm.ws.testtooling.testinfo.JPAPersistenceContext.PersistenceContextType;
import com.ibm.ws.testtooling.testinfo.JPAPersistenceContext.PersistenceInjectionType;
import com.ibm.ws.testtooling.vehicle.web.JPATestServlet;
@SuppressWarnings("serial")
@WebServlet(urlPatterns = "/EmbeddableIDTestServlet")
public class EmbeddableIDTestServlet extends JPATestServlet {
// Container Managed Transaction Scope
@PersistenceContext(unitName = "ENTITY_JTA")
private EntityManager cmtsEm;
// Application Managed JTA
@PersistenceUnit(unitName = "ENTITY_JTA")
private EntityManagerFactory amjtaEmf;
// Application Managed Resource-Local
@PersistenceUnit(unitName = "ENTITY_RL")
private EntityManagerFactory amrlEmf;
@PostConstruct
private void initFAT() {
testClassName = EmbeddableIDTestLogic.class.getName();
jpaPctxMap.put("test-jpa-resource-amjta",
new JPAPersistenceContext("test-jpa-resource-amjta", PersistenceContextType.APPLICATION_MANAGED_JTA, PersistenceInjectionType.FIELD, "amjtaEmf"));
jpaPctxMap.put("test-jpa-resource-amrl",
new JPAPersistenceContext("test-jpa-resource-amrl", PersistenceContextType.APPLICATION_MANAGED_RL, PersistenceInjectionType.FIELD, "amrlEmf"));
jpaPctxMap.put("test-jpa-resource-cmts",
new JPAPersistenceContext("test-jpa-resource-cmts", PersistenceContextType.CONTAINER_MANAGED_TS, PersistenceInjectionType.FIELD, "cmtsEm"));
}
@Test
public void jpa10_Entity_EmbeddableID_Ano_AMJTA_Web() throws Exception {
final String testName = "jpa10_Entity_EmbeddableID_Ano_AMJTA_Web";
final String testMethod = "testEmbeddableIDClass001";
final String testResource = "test-jpa-resource-amjta";
HashMap<String, java.io.Serializable> properties = new HashMap<String, java.io.Serializable>();
properties.put("EntityName", "EmbeddableIdEntity");
executeTest(testName, testMethod, testResource, properties);
}
@Test
public void jpa10_Entity_EmbeddableID_XML_AMJTA_Web() throws Exception {
final String testName = "jpa10_Entity_EmbeddableID_XML_AMJTA_Web";
final String testMethod = "testEmbeddableIDClass001";
final String testResource = "test-jpa-resource-amjta";
HashMap<String, java.io.Serializable> properties = new HashMap<String, java.io.Serializable>();
properties.put("EntityName", "XMLEmbeddableIdEntity");
executeTest(testName, testMethod, testResource, properties);
}
@Test
public void jpa10_Entity_EmbeddableID_Ano_AMRL_Web() throws Exception {
final String testName = "jpa10_Entity_EmbeddableID_Ano_AMRL_Web";
final String testMethod = "testEmbeddableIDClass001";
final String testResource = "test-jpa-resource-amrl";
HashMap<String, java.io.Serializable> properties = new HashMap<String, java.io.Serializable>();
properties.put("EntityName", "EmbeddableIdEntity");
executeTest(testName, testMethod, testResource, properties);
}
@Test
public void jpa10_Entity_EmbeddableID_XML_AMRL_Web() throws Exception {
final String testName = "jpa10_Entity_EmbeddableID_XML_AMRL_Web";
final String testMethod = "testEmbeddableIDClass001";
final String testResource = "test-jpa-resource-amrl";
HashMap<String, java.io.Serializable> properties = new HashMap<String, java.io.Serializable>();
properties.put("EntityName", "XMLEmbeddableIdEntity");
executeTest(testName, testMethod, testResource, properties);
}
@Test
public void jpa10_Entity_EmbeddableID_Ano_CMTS_Web() throws Exception {
final String testName = "jpa10_Entity_EmbeddableID_Ano_CMTS_Web";
final String testMethod = "testEmbeddableIDClass001";
final String testResource = "test-jpa-resource-cmts";
HashMap<String, java.io.Serializable> properties = new HashMap<String, java.io.Serializable>();
properties.put("EntityName", "EmbeddableIdEntity");
executeTest(testName, testMethod, testResource, properties);
}
@Test
public void jpa10_Entity_EmbeddableID_XML_CMTS_Web() throws Exception {
final String testName = "jpa10_Entity_EmbeddableID_XML_CMTS_Web";
final String testMethod = "testEmbeddableIDClass001";
final String testResource = "test-jpa-resource-cmts";
HashMap<String, java.io.Serializable> properties = new HashMap<String, java.io.Serializable>();
properties.put("EntityName", "XMLEmbeddableIdEntity");
executeTest(testName, testMethod, testResource, properties);
}
}
| Java |
package net.eldiosantos.model;
import javax.persistence.Entity;
import javax.persistence.GeneratedValue;
import javax.persistence.GenerationType;
import javax.persistence.Id;
import java.io.Serializable;
@Entity
public class Departamento implements Serializable {
@Id
@GeneratedValue(strategy = GenerationType.IDENTITY)
private Long id;
private String nome;
public Long getId() {
return id;
}
public void setId(Long id) {
this.id = id;
}
public String getNome() {
return nome;
}
public void setNome(String nome) {
this.nome = nome;
}
}
| Java |
var config = {
width: 800,
height: 600,
type: Phaser.AUTO,
parent: 'phaser-example',
scene: {
create: create,
update: update
}
};
var game = new Phaser.Game(config);
var graphics;
var pointerRect;
var rectangles;
function create ()
{
graphics = this.add.graphics({ lineStyle: { color: 0x0000aa }, fillStyle: { color: 0x0000aa, alpha: 0.5 } });
pointerRect = new Phaser.Geom.Rectangle(0, 0, 80, 60);
rectangles = [];
for(var x = 0; x < 10; x++)
{
rectangles[x] = [];
for(var y = 0; y < 10; y++)
{
rectangles[x][y] = new Phaser.Geom.Rectangle(x * 80, y * 60, 80, 60);
}
}
this.input.on('pointermove', function (pointer) {
var x = Math.floor(pointer.x / 80);
var y = Math.floor(pointer.y / 60);
pointerRect.setPosition(x * 80, y * 60);
Phaser.Geom.Rectangle.CopyFrom(pointerRect, rectangles[x][y]);
});
}
function update ()
{
graphics.clear();
graphics.fillRectShape(pointerRect);
for(var x = 0; x < 10; x++)
{
for(var y = 0; y < 10; y++)
{
var rect = rectangles[x][y];
if(rect.width > 10)
{
rect.width *= 0.95;
rect.height *= 0.95;
}
graphics.strokeRectShape(rect);
}
}
} | Java |
//
// This file was generated by the JavaTM Architecture for XML Binding(JAXB) Reference Implementation, v2.2.7
// See <a href="http://java.sun.com/xml/jaxb">http://java.sun.com/xml/jaxb</a>
// Any modifications to this file will be lost upon recompilation of the source schema.
// Generated on: 2013.07.08 at 01:02:29 PM CEST
//
@XmlSchema(namespace = "http://uri.etsi.org/m2m",
xmlns = { @XmlNs(namespaceURI = "http://uri.etsi.org/m2m", prefix = "om2m")},
elementFormDefault = javax.xml.bind.annotation.XmlNsForm.QUALIFIED)
package org.eclipse.om2m.commons.resource;
import javax.xml.bind.annotation.XmlNs;
import javax.xml.bind.annotation.XmlSchema;
| Java |
/*
*******************************************************************************
* Copyright (c) 2013 Whizzo Software, LLC.
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*******************************************************************************
*/
package com.whizzosoftware.wzwave.node.generic;
import com.whizzosoftware.wzwave.commandclass.BasicCommandClass;
import com.whizzosoftware.wzwave.commandclass.CommandClass;
import com.whizzosoftware.wzwave.commandclass.MultilevelSensorCommandClass;
import com.whizzosoftware.wzwave.node.NodeInfo;
import com.whizzosoftware.wzwave.node.NodeListener;
import com.whizzosoftware.wzwave.node.ZWaveNode;
import com.whizzosoftware.wzwave.persist.PersistenceContext;
/**
* A Multilevel Sensor node.
*
* @author Dan Noguerol
*/
public class MultilevelSensor extends ZWaveNode {
public static final byte ID = 0x21;
public MultilevelSensor(NodeInfo info, boolean listening, NodeListener listener) {
super(info, listening, listener);
addCommandClass(BasicCommandClass.ID, new BasicCommandClass());
addCommandClass(MultilevelSensorCommandClass.ID, new MultilevelSensorCommandClass());
}
public MultilevelSensor(PersistenceContext pctx, Byte nodeId, NodeListener listener) {
super(pctx, nodeId, listener);
}
protected CommandClass performBasicCommandClassMapping(BasicCommandClass cc) {
// Basic commands should get mapped to MultilevelSensor commands
return getCommandClass(MultilevelSensorCommandClass.ID);
}
@Override
protected void refresh(boolean deferIfNotListening) {
}
}
| Java |
<?xml version='1.0' encoding='utf-8'?>
<!DOCTYPE html
PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html lang="en-us" xml:lang="en-us">
<head>
<meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
<meta name="copyright" content="(C) Copyright 2010" />
<meta name="DC.rights.owner" content="(C) Copyright 2010" />
<meta name="DC.Type" content="cxxClass" />
<meta name="DC.Title" content="CSatelliteInfoUI" />
<meta name="DC.Format" content="XHTML" />
<meta name="DC.Identifier" content="GUID-DD9674C9-445A-36D8-A4EF-5384D3EF74BA" />
<title>
CSatelliteInfoUI
</title>
<link type="text/css" rel="stylesheet" href="css/common.css" media="screen"/>
<link type="text/css" rel="stylesheet" href="css/sdl.css" media="screen"/>
<!--[if IE]>
<link href="css/iefix.css" rel="stylesheet" type="text/css" media="screen" />
<![endif]-->
<meta name="keywords" content="api" />
<link rel="stylesheet" type="text/css" href="cxxref.css" />
</head>
<body class="cxxref" id="GUID-DD9674C9-445A-36D8-A4EF-5384D3EF74BA">
<a name="GUID-DD9674C9-445A-36D8-A4EF-5384D3EF74BA">
<!-- -->
</a>
<?php include_once (CURRENT_SKIN_PATH.'/sdl_header.html'); ?>
<div id="sdl_container">
<div id="leftMenu">
<div id="expandcontractdiv">
<a id="collapseTree" href="javascript:tree.collapseAll()">
Collapse all
</a>
<a id="index" href="index.html">
Symbian^3 Application Developer Library
</a>
</div>
<iframe style="border:none" height="800" width="300" src="index-toc.html"></iframe>
<div id="treeDiv1">
 
</div>
<script type="text/javascript">
var currentIconMode = 0; window.name="id2518338 id2518347 id2420140 id2374166 id2362038 id2362043 ";
YAHOO.util.Event.onDOMReady(buildTree, this,true);
</script>
</div>
<div id="sdl_content">
<div class="breadcrumb">
<a href="index.html" title="Symbian^3 Application Developer Library">
Symbian^3 Application Developer Library
</a>
>
</div>
<h1 class="topictitle1">
CSatelliteInfoUI Class Reference
</h1>
<table class="signature">
<tr>
<td>
class CSatelliteInfoUI : public CBase
</td>
</tr>
</table>
<div class="section">
<div>
<p>
Implements entry point class to Satellite Info UI
</p>
</div>
</div>
<div class="section derivation">
<h2 class="sectiontitle">
Inherits from
</h2>
<ul class="derivation derivation-root">
<li class="derivation-depth-0 ">
CSatelliteInfoUI
<ul class="derivation">
<li class="derivation-depth-1 ">
<a href="GUID-8F6FE089-E2A8-30F4-B67E-10F286347681.html">
CBase
</a>
</li>
</ul>
</li>
</ul>
</div>
<div class="section member-index">
<table border="0" class="member-index">
<thead>
<tr>
<th colspan="2">
Public Member Functions
</th>
</tr>
</thead>
<tbody>
<tr>
<td align="right" class="code">
</td>
<td>
<a href="#GUID-93A99578-A735-3F5A-A355-73E54FC03D4D">
~CSatelliteInfoUI
</a>
()
</td>
</tr>
<tr class="bg">
<td align="right" class="code">
IMPORT_C
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
<a href="#GUID-0952B6DA-56C1-3D73-881F-13B0B61189BC">
ExecuteLD
</a>
(const
<a href="GUID-440FF2B4-353B-3097-A2BA-5887D10B8B23.html">
TDesC
</a>
&)
</td>
</tr>
<tr>
<td align="right" class="code">
IMPORT_C void
</td>
<td>
<a href="#GUID-701C4261-F095-3690-9E66-6866C00EF918">
HandleForegroundEventL
</a>
(
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TBool
</a>
)
</td>
</tr>
<tr class="bg">
<td align="right" class="code">
IMPORT_C
<a href="GUID-DD9674C9-445A-36D8-A4EF-5384D3EF74BA.html">
CSatelliteInfoUI
</a>
*
</td>
<td>
<a href="#GUID-B2D49139-004F-3CDA-8D1C-C44C6E16BDA1">
NewL
</a>
()
</td>
</tr>
<tr>
<td align="right" class="code">
IMPORT_C void
</td>
<td>
<a href="#GUID-1FABF8E8-FFE9-373B-90A4-ABE7A2290B1B">
SetLaunchView
</a>
(
<a href="GUID-DD9674C9-445A-36D8-A4EF-5384D3EF74BA.html">
TSatelliteView
</a>
)
</td>
</tr>
</tbody>
</table>
<table border="0" class="member-index">
<thead>
<tr>
<th colspan="2">
Private Member Functions
</th>
</tr>
</thead>
<tbody>
<tr>
<td align="right" class="code">
</td>
<td>
<a href="#GUID-670D1DFA-9DBF-32A7-BDEB-E165D7336286">
CSatelliteInfoUI
</a>
()
</td>
</tr>
<tr class="bg">
<td align="right" class="code">
void
</td>
<td>
<a href="#GUID-4E54AE35-8E26-3D97-B67E-1270F69CF2B8">
ConstructL
</a>
()
</td>
</tr>
</tbody>
</table>
<table border="0" class="member-index">
<thead>
<tr>
<th colspan="2">
Inherited Functions
</th>
</tr>
</thead>
<tbody>
<tr>
<td>
</td>
<td>
<a href="GUID-8F6FE089-E2A8-30F4-B67E-10F286347681.html">
CBase::CBase()
</a>
</td>
</tr>
<tr class="bg">
<td>
</td>
<td>
<a href="GUID-8F6FE089-E2A8-30F4-B67E-10F286347681.html">
CBase::Delete(CBase *)
</a>
</td>
</tr>
<tr>
<td>
</td>
<td>
<a href="GUID-8F6FE089-E2A8-30F4-B67E-10F286347681.html">
CBase::Extension_(TUint,TAny *&,TAny *)
</a>
</td>
</tr>
<tr class="bg">
<td>
</td>
<td>
<a href="GUID-8F6FE089-E2A8-30F4-B67E-10F286347681.html">
CBase::operator new(TUint)
</a>
</td>
</tr>
<tr>
<td>
</td>
<td>
<a href="GUID-8F6FE089-E2A8-30F4-B67E-10F286347681.html">
CBase::operator new(TUint,TAny *)
</a>
</td>
</tr>
<tr class="bg">
<td>
</td>
<td>
<a href="GUID-8F6FE089-E2A8-30F4-B67E-10F286347681.html">
CBase::operator new(TUint,TLeave)
</a>
</td>
</tr>
<tr>
<td>
</td>
<td>
<a href="GUID-8F6FE089-E2A8-30F4-B67E-10F286347681.html">
CBase::operator new(TUint,TLeave,TUint)
</a>
</td>
</tr>
<tr class="bg">
<td>
</td>
<td>
<a href="GUID-8F6FE089-E2A8-30F4-B67E-10F286347681.html">
CBase::operator new(TUint,TUint)
</a>
</td>
</tr>
<tr>
<td>
</td>
<td>
<a href="GUID-8F6FE089-E2A8-30F4-B67E-10F286347681.html">
CBase::~CBase()
</a>
</td>
</tr>
</tbody>
</table>
<table border="0" class="member-index">
<thead>
<tr>
<th colspan="2">
Public Member Enumerations
</th>
</tr>
</thead>
<tbody>
<tr>
<td align="right" valign="top">
enum
</td>
<td>
<a href="#GUID-CB34AEA2-3200-36E2-B794-9A637EF844E7">
TSatelliteView
</a>
{
<a href="#GUID-F6D6E7B8-5DEA-3D20-8D05-C41D3E2C32F3">
ESatelliteFirmamentView
</a>
= 0x0001,
<a href="#GUID-48850147-3943-3AD1-AE32-2D916E4118CE">
ESatelliteSignalStrengthView
</a>
= 0x0002,
<a href="#GUID-34BF2F16-AD94-3E9D-AF6E-F50156411C5A">
ESatelliteCompassView
</a>
= 0x0003 }
</td>
</tr>
</tbody>
</table>
<table border="0" class="member-index">
<thead>
<tr>
<th colspan="2">
Private Attributes
</th>
</tr>
</thead>
<tbody>
<tr>
<td align="right" valign="top">
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TBool
</a>
*
</td>
<td>
<a href="#GUID-D5ECE435-475B-37E7-A6D8-2C499F65937F">
iDestroyedPtr
</a>
</td>
</tr>
<tr class="bg">
<td align="right" valign="top">
CSatellite *
</td>
<td>
<a href="#GUID-8912768F-47F8-31B9-90EF-CD3681D43EA9">
iSatellite
</a>
</td>
</tr>
</tbody>
</table>
</div>
<h1 class="pageHeading topictitle1">
Constructor & Destructor Documentation
</h1>
<div class="nested1" id="GUID-670D1DFA-9DBF-32A7-BDEB-E165D7336286">
<a name="GUID-670D1DFA-9DBF-32A7-BDEB-E165D7336286">
<!-- -->
</a>
<h2 class="topictitle2">
CSatelliteInfoUI()
</h2>
<table class="signature">
<tr>
<td>
CSatelliteInfoUI
</td>
<td>
(
</td>
<td>
)
</td>
<td>
[private]
</td>
</tr>
</table>
<div class="section">
<div>
<p>
C++ default constructor.
</p>
</div>
</div>
</div>
<div class="nested1" id="GUID-93A99578-A735-3F5A-A355-73E54FC03D4D">
<a name="GUID-93A99578-A735-3F5A-A355-73E54FC03D4D">
<!-- -->
</a>
<h2 class="topictitle2">
~CSatelliteInfoUI()
</h2>
<table class="signature">
<tr>
<td>
IMPORT_C
</td>
<td>
~CSatelliteInfoUI
</td>
<td>
(
</td>
<td>
)
</td>
<td>
[virtual]
</td>
</tr>
</table>
<div class="section">
<div>
<p>
Destructor.
</p>
</div>
</div>
</div>
<h1 class="pageHeading topictitle1">
Member Functions Documentation
</h1>
<div class="nested1" id="GUID-4E54AE35-8E26-3D97-B67E-1270F69CF2B8">
<a name="GUID-4E54AE35-8E26-3D97-B67E-1270F69CF2B8">
<!-- -->
</a>
<h2 class="topictitle2">
ConstructL()
</h2>
<table class="signature">
<tr>
<td>
void
</td>
<td>
ConstructL
</td>
<td>
(
</td>
<td>
)
</td>
<td>
[private]
</td>
</tr>
</table>
<div class="section">
<div>
<p>
By default Symbian 2nd phase constructor is private.
</p>
</div>
</div>
</div>
<div class="nested1" id="GUID-0952B6DA-56C1-3D73-881F-13B0B61189BC">
<a name="GUID-0952B6DA-56C1-3D73-881F-13B0B61189BC">
<!-- -->
</a>
<h2 class="topictitle2">
ExecuteLD(const TDesC &)
</h2>
<table class="signature">
<tr>
<td>
IMPORT_C
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
ExecuteLD
</td>
<td>
(
</td>
<td>
const
<a href="GUID-440FF2B4-353B-3097-A2BA-5887D10B8B23.html">
TDesC
</a>
&
</td>
<td>
aNameOfRule
</td>
<td>
)
</td>
<td>
</td>
</tr>
</table>
<div class="section">
<div>
<p>
Display satellite's information dialog.
</p>
<p>
This library uses the services provided by Location Framework. Once the dialog is launched satellite information is continuously requested via Location Acquisition API. The Location Acquisition API is offered by Location Framework. The user can switch between the two views once the dialog is launched.
</p>
<div class="p">
<dl class="user">
<dt class="dlterm">
<strong>
leave
</strong>
</dt>
<dd>
KErrArgument if requestor data (aNameOfRule argument) length exceeds 255 characters or if it is empty. This function may also leave with any one of the standard error codes such as out of memory (e.g. KErrNoMemory)
</dd>
</dl>
</div>
</div>
</div>
<div class="section parameters">
<h3 class="sectiontitle">
Parameters
</h3>
<table border="0" class="parameters">
<tr>
<td class="parameter">
const
<a href="GUID-440FF2B4-353B-3097-A2BA-5887D10B8B23.html">
TDesC
</a>
& aNameOfRule
</td>
<td>
is requestor data for Location FW which will be used for privacy verification in the future. Application name should be used to specify the requestor. The string should not be empty.
</td>
</tr>
</table>
</div>
</div>
<div class="nested1" id="GUID-701C4261-F095-3690-9E66-6866C00EF918">
<a name="GUID-701C4261-F095-3690-9E66-6866C00EF918">
<!-- -->
</a>
<h2 class="topictitle2">
HandleForegroundEventL(TBool)
</h2>
<table class="signature">
<tr>
<td>
IMPORT_C void
</td>
<td>
HandleForegroundEventL
</td>
<td>
(
</td>
<td>
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TBool
</a>
</td>
<td>
aForeground
</td>
<td>
)
</td>
<td>
</td>
</tr>
</table>
<div class="section">
<div>
<p>
Dialog switched to foreground or background
</p>
</div>
</div>
<div class="section parameters">
<h3 class="sectiontitle">
Parameters
</h3>
<table border="0" class="parameters">
<tr>
<td class="parameter">
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TBool
</a>
aForeground
</td>
<td>
ETrue to switch to the foreground. EFalse to switch to background.
</td>
</tr>
</table>
</div>
</div>
<div class="nested1" id="GUID-B2D49139-004F-3CDA-8D1C-C44C6E16BDA1">
<a name="GUID-B2D49139-004F-3CDA-8D1C-C44C6E16BDA1">
<!-- -->
</a>
<h2 class="topictitle2">
NewL()
</h2>
<table class="signature">
<tr>
<td>
IMPORT_C
<a href="GUID-DD9674C9-445A-36D8-A4EF-5384D3EF74BA.html">
CSatelliteInfoUI
</a>
*
</td>
<td>
NewL
</td>
<td>
(
</td>
<td>
)
</td>
<td>
[static]
</td>
</tr>
</table>
<div class="section">
<div>
<p>
Two-phased constructor.
</p>
<p>
</p>
</div>
</div>
</div>
<div class="nested1" id="GUID-1FABF8E8-FFE9-373B-90A4-ABE7A2290B1B">
<a name="GUID-1FABF8E8-FFE9-373B-90A4-ABE7A2290B1B">
<!-- -->
</a>
<h2 class="topictitle2">
SetLaunchView(TSatelliteView)
</h2>
<table class="signature">
<tr>
<td>
IMPORT_C void
</td>
<td>
SetLaunchView
</td>
<td>
(
</td>
<td>
<a href="GUID-DD9674C9-445A-36D8-A4EF-5384D3EF74BA.html">
TSatelliteView
</a>
</td>
<td>
aLaunchView
</td>
<td>
)
</td>
<td>
</td>
</tr>
</table>
<div class="section">
<div>
<p>
Used to set the dialog's launch view
</p>
<p>
This method is used to set the view in which the dialog should be launched. The two available views are signal strength and firmament view. Constants for settings default view specified in enum
<a href="GUID-DD9674C9-445A-36D8-A4EF-5384D3EF74BA.html#GUID-CB34AEA2-3200-36E2-B794-9A637EF844E7">
TSatelliteView
</a>
. This method should be called before the method
<a href="GUID-DD9674C9-445A-36D8-A4EF-5384D3EF74BA.html#GUID-0952B6DA-56C1-3D73-881F-13B0B61189BC">
ExecuteLD
</a>
is invoked.
</p>
<div class="p">
<dl class="user">
<dt class="dlterm">
<strong>
panic
</strong>
</dt>
<dd>
EAknPanicOutOfRange if the method is invoked with an invalid parameter. Values provided apart from those specified in
<a href="GUID-DD9674C9-445A-36D8-A4EF-5384D3EF74BA.html#GUID-CB34AEA2-3200-36E2-B794-9A637EF844E7">
TSatelliteView
</a>
are invalid and will cause the method to panic.
</dd>
</dl>
</div>
</div>
</div>
<div class="section parameters">
<h3 class="sectiontitle">
Parameters
</h3>
<table border="0" class="parameters">
<tr>
<td class="parameter">
<a href="GUID-DD9674C9-445A-36D8-A4EF-5384D3EF74BA.html">
TSatelliteView
</a>
aLaunchView
</td>
<td>
ESatelliteFirmamentView for firmament view and ESatelliteSignalStrengthView for signal strength view. ESatelliteCompassView for compass ciew ESatelliteCompassView Visibility will be variated depending on the product configuration/regional variation. if it is disabled to show compass view then function will ignore the ESatelliteCompassView and show firmament view instead.
</td>
</tr>
</table>
</div>
</div>
<h1 class="pageHeading topictitle1">
Member Enumerations Documentation
</h1>
<div class="nested1" id="GUID-CB34AEA2-3200-36E2-B794-9A637EF844E7">
<a name="GUID-CB34AEA2-3200-36E2-B794-9A637EF844E7">
<!-- -->
</a>
<h2 class="topictitle2">
Enum TSatelliteView
</h2>
<div class="section">
<div>
<p>
Enumeration to specify the default launch view of the dialog.
</p>
</div>
</div>
<div class="section enumerators">
<h3 class="sectiontitle">
Enumerators
</h3>
<table border="0" class="enumerators">
<tr>
<td valign="top">
ESatelliteFirmamentView = 0x0001
</td>
<td>
<p>
Launch option for firmament view. Firmament view displays all the satellites in view with the satellite's number on a firmament.
</p>
</td>
</tr>
<tr class="bg">
<td valign="top">
ESatelliteSignalStrengthView = 0x0002
</td>
<td>
<p>
Launch option for signal strength view. Signal strength view displays all the satellite with their correspoinding signal strength represented by bars.
</p>
</td>
</tr>
<tr>
<td valign="top">
ESatelliteCompassView = 0x0003
</td>
<td>
<p>
Launch option for compass view. Compass view displays latitude, longitude, speed and direction along with 2D/3D type of Fix.
</p>
</td>
</tr>
</table>
</div>
</div>
<h1 class="pageHeading topictitle1">
Member Data Documentation
</h1>
<div class="nested1" id="GUID-D5ECE435-475B-37E7-A6D8-2C499F65937F">
<a name="GUID-D5ECE435-475B-37E7-A6D8-2C499F65937F">
<!-- -->
</a>
<h2 class="topictitle2">
TBool * iDestroyedPtr
</h2>
<table class="signature">
<tr>
<td>
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TBool
</a>
*
</td>
<td>
iDestroyedPtr
</td>
<td>
[private]
</td>
</tr>
</table>
<div class="section">
</div>
</div>
<div class="nested1" id="GUID-8912768F-47F8-31B9-90EF-CD3681D43EA9">
<a name="GUID-8912768F-47F8-31B9-90EF-CD3681D43EA9">
<!-- -->
</a>
<h2 class="topictitle2">
CSatellite * iSatellite
</h2>
<table class="signature">
<tr>
<td>
CSatellite *
</td>
<td>
iSatellite
</td>
<td>
[private]
</td>
</tr>
</table>
<div class="section">
<div>
<p>
Own: A pointer to CSatellite. Contains the engine and the dialog implementation.
</p>
</div>
</div>
</div>
<p class="copyright">Copyright ©2010 Nokia Corporation and/or its subsidiary(-ies).<br /> All rights
reserved. Unless otherwise stated, these materials are provided under the terms of the <a href=" http://www.eclipse.org/legal/epl-v10.html"> Eclipse Public License
v1.0</a>.</p>
</div>
</div>
<?php include_once (CURRENT_SKIN_PATH.'/sdl_footer.html'); ?>
</body>
</html> | Java |
/*
* Copyright (c) 2013 Cisco Systems, Inc. and others. All rights reserved.
*
* This program and the accompanying materials are made available under the
* terms of the Eclipse Public License v1.0 which accompanies this distribution,
* and is available at http://www.eclipse.org/legal/epl-v10.html
*/
package org.opendaylight.controller.netconf.impl;
import static com.google.common.base.Preconditions.checkNotNull;
import static org.junit.Assert.assertEquals;
import static org.junit.Assert.fail;
import static org.mockito.Matchers.any;
import static org.mockito.Matchers.anySetOf;
import static org.mockito.Mockito.doNothing;
import static org.mockito.Mockito.doReturn;
import static org.mockito.Mockito.mock;
import com.google.common.base.Preconditions;
import com.google.common.collect.Lists;
import com.google.common.collect.Sets;
import com.google.common.io.ByteStreams;
import io.netty.channel.ChannelFuture;
import io.netty.channel.EventLoopGroup;
import io.netty.channel.nio.NioEventLoopGroup;
import io.netty.util.HashedWheelTimer;
import io.netty.util.concurrent.GlobalEventExecutor;
import java.io.DataOutputStream;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.net.InetSocketAddress;
import java.net.Socket;
import java.util.Arrays;
import java.util.Collection;
import java.util.Collections;
import java.util.List;
import java.util.Set;
import java.util.concurrent.ExecutionException;
import java.util.concurrent.ExecutorService;
import java.util.concurrent.Executors;
import java.util.concurrent.Future;
import java.util.concurrent.ThreadFactory;
import java.util.concurrent.atomic.AtomicLong;
import org.junit.After;
import org.junit.AfterClass;
import org.junit.Before;
import org.junit.BeforeClass;
import org.junit.Test;
import org.junit.runner.RunWith;
import org.junit.runners.Parameterized;
import org.opendaylight.controller.config.util.capability.Capability;
import org.opendaylight.controller.config.util.xml.DocumentedException;
import org.opendaylight.controller.config.util.xml.XmlUtil;
import org.opendaylight.controller.netconf.api.NetconfMessage;
import org.opendaylight.controller.netconf.api.monitoring.CapabilityListener;
import org.opendaylight.controller.netconf.api.monitoring.NetconfMonitoringService;
import org.opendaylight.controller.netconf.api.xml.XmlNetconfConstants;
import org.opendaylight.controller.netconf.client.NetconfClientDispatcher;
import org.opendaylight.controller.netconf.client.NetconfClientDispatcherImpl;
import org.opendaylight.controller.netconf.client.SimpleNetconfClientSessionListener;
import org.opendaylight.controller.netconf.client.TestingNetconfClient;
import org.opendaylight.controller.netconf.client.conf.NetconfClientConfiguration;
import org.opendaylight.controller.netconf.client.conf.NetconfClientConfigurationBuilder;
import org.opendaylight.controller.netconf.impl.osgi.AggregatedNetconfOperationServiceFactory;
import org.opendaylight.controller.netconf.mapping.api.HandlingPriority;
import org.opendaylight.controller.netconf.mapping.api.NetconfOperation;
import org.opendaylight.controller.netconf.mapping.api.NetconfOperationChainedExecution;
import org.opendaylight.controller.netconf.mapping.api.NetconfOperationService;
import org.opendaylight.controller.netconf.mapping.api.NetconfOperationServiceFactory;
import org.opendaylight.controller.netconf.nettyutil.handler.exi.NetconfStartExiMessage;
import org.opendaylight.controller.netconf.util.messages.NetconfHelloMessageAdditionalHeader;
import org.opendaylight.controller.netconf.util.messages.NetconfMessageUtil;
import org.opendaylight.controller.netconf.util.test.XmlFileLoader;
import org.opendaylight.protocol.framework.NeverReconnectStrategy;
import org.opendaylight.yang.gen.v1.urn.ietf.params.xml.ns.yang.ietf.inet.types.rev100924.Uri;
import org.opendaylight.yang.gen.v1.urn.ietf.params.xml.ns.yang.ietf.netconf.monitoring.rev101004.netconf.state.CapabilitiesBuilder;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.w3c.dom.Document;
@RunWith(Parameterized.class)
public class ConcurrentClientsTest {
private static final Logger LOG = LoggerFactory.getLogger(ConcurrentClientsTest.class);
private static ExecutorService clientExecutor;
private static final int CONCURRENCY = 32;
private static final InetSocketAddress netconfAddress = new InetSocketAddress("127.0.0.1", 8303);
private int nettyThreads;
private Class<? extends Runnable> clientRunnable;
private Set<String> serverCaps;
public ConcurrentClientsTest(int nettyThreads, Class<? extends Runnable> clientRunnable, Set<String> serverCaps) {
this.nettyThreads = nettyThreads;
this.clientRunnable = clientRunnable;
this.serverCaps = serverCaps;
}
@Parameterized.Parameters()
public static Collection<Object[]> data() {
return Arrays.asList(new Object[][]{{4, TestingNetconfClientRunnable.class, NetconfServerSessionNegotiatorFactory.DEFAULT_BASE_CAPABILITIES},
{1, TestingNetconfClientRunnable.class, NetconfServerSessionNegotiatorFactory.DEFAULT_BASE_CAPABILITIES},
// empty set of capabilities = only base 1.0 netconf capability
{4, TestingNetconfClientRunnable.class, Collections.emptySet()},
{4, TestingNetconfClientRunnable.class, getOnlyExiServerCaps()},
{4, TestingNetconfClientRunnable.class, getOnlyChunkServerCaps()},
{4, BlockingClientRunnable.class, getOnlyExiServerCaps()},
{1, BlockingClientRunnable.class, getOnlyExiServerCaps()},
});
}
private EventLoopGroup nettyGroup;
private NetconfClientDispatcher netconfClientDispatcher;
HashedWheelTimer hashedWheelTimer;
private TestingNetconfOperation testingNetconfOperation;
public static NetconfMonitoringService createMockedMonitoringService() {
NetconfMonitoringService monitoring = mock(NetconfMonitoringService.class);
doNothing().when(monitoring).onSessionUp(any(NetconfServerSession.class));
doNothing().when(monitoring).onSessionDown(any(NetconfServerSession.class));
doReturn(new AutoCloseable() {
@Override
public void close() throws Exception {
}
}).when(monitoring).registerListener(any(NetconfMonitoringService.MonitoringListener.class));
doNothing().when(monitoring).onCapabilitiesChanged(anySetOf(Capability.class), anySetOf(Capability.class));
doReturn(new CapabilitiesBuilder().setCapability(Collections.<Uri>emptyList()).build()).when(monitoring).getCapabilities();
return monitoring;
}
@BeforeClass
public static void setUpClientExecutor() {
clientExecutor = Executors.newFixedThreadPool(CONCURRENCY, new ThreadFactory() {
int i = 1;
@Override
public Thread newThread(final Runnable r) {
Thread thread = new Thread(r);
thread.setName("client-" + i++);
thread.setDaemon(true);
return thread;
}
});
}
@Before
public void setUp() throws Exception {
hashedWheelTimer = new HashedWheelTimer();
nettyGroup = new NioEventLoopGroup(nettyThreads);
netconfClientDispatcher = new NetconfClientDispatcherImpl(nettyGroup, nettyGroup, hashedWheelTimer);
AggregatedNetconfOperationServiceFactory factoriesListener = new AggregatedNetconfOperationServiceFactory();
testingNetconfOperation = new TestingNetconfOperation();
factoriesListener.onAddNetconfOperationServiceFactory(new TestingOperationServiceFactory(testingNetconfOperation));
SessionIdProvider idProvider = new SessionIdProvider();
NetconfServerSessionNegotiatorFactory serverNegotiatorFactory = new NetconfServerSessionNegotiatorFactory(
hashedWheelTimer, factoriesListener, idProvider, 5000, createMockedMonitoringService(), serverCaps);
NetconfServerDispatcherImpl.ServerChannelInitializer serverChannelInitializer = new NetconfServerDispatcherImpl.ServerChannelInitializer(serverNegotiatorFactory);
final NetconfServerDispatcherImpl dispatch = new NetconfServerDispatcherImpl(serverChannelInitializer, nettyGroup, nettyGroup);
ChannelFuture s = dispatch.createServer(netconfAddress);
s.await();
}
@After
public void tearDown(){
hashedWheelTimer.stop();
try {
nettyGroup.shutdownGracefully().get();
} catch (InterruptedException | ExecutionException e) {
LOG.warn("Ignoring exception while cleaning up after test", e);
}
}
@AfterClass
public static void tearDownClientExecutor() {
clientExecutor.shutdownNow();
}
@Test(timeout = CONCURRENCY * 1000)
public void testConcurrentClients() throws Exception {
List<Future<?>> futures = Lists.newArrayListWithCapacity(CONCURRENCY);
for (int i = 0; i < CONCURRENCY; i++) {
futures.add(clientExecutor.submit(getInstanceOfClientRunnable()));
}
for (Future<?> future : futures) {
try {
future.get();
} catch (InterruptedException e) {
throw new IllegalStateException(e);
} catch (ExecutionException e) {
LOG.error("Thread for testing client failed", e);
fail("Client failed: " + e.getMessage());
}
}
assertEquals(CONCURRENCY, testingNetconfOperation.getMessageCount());
}
public static Set<String> getOnlyExiServerCaps() {
return Sets.newHashSet(
XmlNetconfConstants.URN_IETF_PARAMS_NETCONF_BASE_1_0,
XmlNetconfConstants.URN_IETF_PARAMS_NETCONF_CAPABILITY_EXI_1_0
);
}
public static Set<String> getOnlyChunkServerCaps() {
return Sets.newHashSet(
XmlNetconfConstants.URN_IETF_PARAMS_NETCONF_BASE_1_0,
XmlNetconfConstants.URN_IETF_PARAMS_NETCONF_BASE_1_1
);
}
public Runnable getInstanceOfClientRunnable() throws Exception {
return clientRunnable.getConstructor(ConcurrentClientsTest.class).newInstance(this);
}
/**
* Responds to all operations except start-exi and counts all requests
*/
private static class TestingNetconfOperation implements NetconfOperation {
private final AtomicLong counter = new AtomicLong();
@Override
public HandlingPriority canHandle(Document message) {
return XmlUtil.toString(message).contains(NetconfStartExiMessage.START_EXI) ?
HandlingPriority.CANNOT_HANDLE :
HandlingPriority.HANDLE_WITH_MAX_PRIORITY;
}
@Override
public Document handle(Document requestMessage, NetconfOperationChainedExecution subsequentOperation) throws DocumentedException {
try {
LOG.info("Handling netconf message from test {}", XmlUtil.toString(requestMessage));
counter.getAndIncrement();
return XmlUtil.readXmlToDocument("<test/>");
} catch (Exception e) {
throw new RuntimeException(e);
}
}
public long getMessageCount() {
return counter.get();
}
}
/**
* Hardcoded operation service factory
*/
private static class TestingOperationServiceFactory implements NetconfOperationServiceFactory {
private final NetconfOperation[] operations;
public TestingOperationServiceFactory(final NetconfOperation... operations) {
this.operations = operations;
}
@Override
public Set<Capability> getCapabilities() {
return Collections.emptySet();
}
@Override
public AutoCloseable registerCapabilityListener(final CapabilityListener listener) {
return new AutoCloseable(){
@Override
public void close() throws Exception {}
};
}
@Override
public NetconfOperationService createService(String netconfSessionIdForReporting) {
return new NetconfOperationService() {
@Override
public Set<NetconfOperation> getNetconfOperations() {
return Sets.newHashSet(operations);
}
@Override
public void close() {}
};
}
}
/**
* Pure socket based blocking client
*/
public final class BlockingClientRunnable implements Runnable {
@Override
public void run() {
try {
run2();
} catch (Exception e) {
throw new IllegalStateException(Thread.currentThread().getName(), e);
}
}
private void run2() throws Exception {
InputStream clientHello = checkNotNull(XmlFileLoader
.getResourceAsStream("netconfMessages/client_hello.xml"));
InputStream getConfig = checkNotNull(XmlFileLoader.getResourceAsStream("netconfMessages/getConfig.xml"));
Socket clientSocket = new Socket(netconfAddress.getHostString(), netconfAddress.getPort());
DataOutputStream outToServer = new DataOutputStream(clientSocket.getOutputStream());
InputStreamReader inFromServer = new InputStreamReader(clientSocket.getInputStream());
StringBuffer sb = new StringBuffer();
while (sb.toString().endsWith("]]>]]>") == false) {
sb.append((char) inFromServer.read());
}
LOG.info(sb.toString());
outToServer.write(ByteStreams.toByteArray(clientHello));
outToServer.write("]]>]]>".getBytes());
outToServer.flush();
// Thread.sleep(100);
outToServer.write(ByteStreams.toByteArray(getConfig));
outToServer.write("]]>]]>".getBytes());
outToServer.flush();
Thread.sleep(100);
sb = new StringBuffer();
while (sb.toString().endsWith("]]>]]>") == false) {
sb.append((char) inFromServer.read());
}
LOG.info(sb.toString());
clientSocket.close();
}
}
/**
* TestingNetconfClient based runnable
*/
public final class TestingNetconfClientRunnable implements Runnable {
@Override
public void run() {
try {
final TestingNetconfClient netconfClient =
new TestingNetconfClient(Thread.currentThread().getName(), netconfClientDispatcher, getClientConfig());
long sessionId = netconfClient.getSessionId();
LOG.info("Client with session id {}: hello exchanged", sessionId);
final NetconfMessage getMessage = XmlFileLoader
.xmlFileToNetconfMessage("netconfMessages/getConfig.xml");
NetconfMessage result = netconfClient.sendRequest(getMessage).get();
LOG.info("Client with session id {}: got result {}", sessionId, result);
Preconditions.checkState(NetconfMessageUtil.isErrorMessage(result) == false,
"Received error response: " + XmlUtil.toString(result.getDocument()) + " to request: "
+ XmlUtil.toString(getMessage.getDocument()));
netconfClient.close();
LOG.info("Client with session id {}: ended", sessionId);
} catch (final Exception e) {
throw new IllegalStateException(Thread.currentThread().getName(), e);
}
}
private NetconfClientConfiguration getClientConfig() {
final NetconfClientConfigurationBuilder b = NetconfClientConfigurationBuilder.create();
b.withAddress(netconfAddress);
b.withAdditionalHeader(new NetconfHelloMessageAdditionalHeader("uname", "10.10.10.1", "830", "tcp",
"client"));
b.withSessionListener(new SimpleNetconfClientSessionListener());
b.withReconnectStrategy(new NeverReconnectStrategy(GlobalEventExecutor.INSTANCE,
NetconfClientConfigurationBuilder.DEFAULT_CONNECTION_TIMEOUT_MILLIS));
return b.build();
}
}
}
| Java |
var config = {
type: Phaser.WEBGL,
parent: 'phaser-example',
scene: {
preload: preload,
create: create
}
};
var game = new Phaser.Game(config);
function preload() {
this.load.image('bunny', 'assets/sprites/bunny.png');
}
function create() {
var parent = this.add.image(0, 0, 'bunny');
var child = this.add.image(100, 100, 'bunny');
parent.alpha = 0.5;
}
| Java |
/*******************************************************************************
* Copyright (c) 2007, 2008 IBM Corporation and others.
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*
* Contributors:
* IBM Corporation - initial API and implementation
*******************************************************************************/
package org.eclipse.jdt.core.refactoring.participants;
import org.eclipse.ltk.core.refactoring.RefactoringStatus;
import org.eclipse.ltk.core.refactoring.participants.IParticipantDescriptorFilter;
import org.eclipse.ltk.core.refactoring.participants.ParticipantExtensionPoint;
import org.eclipse.ltk.core.refactoring.participants.RefactoringParticipant;
import org.eclipse.ltk.core.refactoring.participants.RefactoringProcessor;
import org.eclipse.ltk.core.refactoring.participants.SharableParticipants;
import org.eclipse.jdt.core.IMethod;
/**
* Facade to access participants to the participant extension points
* provided by the org.eclipse.jdt.core.manipulation plug-in.
* <p>
* Note: this class is not intended to be extended or instantiated by clients.
* </p>
*
* @since 1.2
*
* @noinstantiate This class is not intended to be instantiated by clients.
* @noextend This class is not intended to be subclassed by clients.
*/
public class JavaParticipantManager {
private final static String PLUGIN_ID= "org.eclipse.jdt.core.manipulation"; //$NON-NLS-1$
private JavaParticipantManager() {
// no instance
}
//---- Change method signature participants ----------------------------------------------------------------
private static final String METHOD_SIGNATURE_PARTICIPANT_EXT_POINT= "changeMethodSignatureParticipants"; //$NON-NLS-1$
private static ParticipantExtensionPoint fgMethodSignatureInstance=
new ParticipantExtensionPoint(PLUGIN_ID, METHOD_SIGNATURE_PARTICIPANT_EXT_POINT, ChangeMethodSignatureParticipant.class);
/**
* Loads the change method signature participants for the given element.
*
* @param status a refactoring status to report status if problems occurred while
* loading the participants
* @param processor the processor that will own the participants
* @param method the method to be changed
* @param arguments the change method signature arguments describing the change
* @param filter a participant filter to exclude certain participants, or <code>null</code>
* if no filtering is desired
* @param affectedNatures an array of project natures affected by the refactoring
* @param shared a list of shared participants
*
* @return an array of change method signature participants
*/
public static ChangeMethodSignatureParticipant[] loadChangeMethodSignatureParticipants(RefactoringStatus status, RefactoringProcessor processor, IMethod method, ChangeMethodSignatureArguments arguments, IParticipantDescriptorFilter filter, String[] affectedNatures, SharableParticipants shared) {
RefactoringParticipant[] participants= fgMethodSignatureInstance.getParticipants(status, processor, method, arguments, filter, affectedNatures, shared);
ChangeMethodSignatureParticipant[] result= new ChangeMethodSignatureParticipant[participants.length];
System.arraycopy(participants, 0, result, 0, participants.length);
return result;
}
} | Java |
# clj-oauth2-token-generator
This is a server which can be used to generate OAuth2 tokens for
Google services. Tokens are stored in EDN files to be used by the
main application.
This illustrates the usage for the
[clj-oauth2 library](https://clojars.org/stuarth/clj-oauth2) as
described in the
[Blog post by Eric Koslow](https://coderwall.com/p/y9w4-g/google-oauth2-in-clojure).
## Options
Put a config.edn file into the resources directory. Use
config-sample.edn as example.
## Usage
$ lein run
Send your users to the ```/google-oauth``` URL on your server to
generate a token.
## License
Copyright © 2015 Hans Hübner
Distributed under the Eclipse Public License either version 1.0 or (at
your option) any later version.
| Java |
package com.teamNikaml.bipinography.activity;
import java.util.ArrayList;
import java.util.List;
import org.json.JSONArray;
import org.json.JSONException;
import org.json.JSONObject;
import android.app.Activity;
import android.content.Intent;
import android.os.Bundle;
import android.view.Window;
import android.widget.Toast;
import com.android.volley.Request.Method;
import com.android.volley.Response;
import com.android.volley.VolleyError;
import com.android.volley.toolbox.JsonObjectRequest;
import com.teamNikaml.bipinography.app.AppConst;
import com.teamNikaml.bipinography.app.AppController;
import com.teamNikaml.bipinography.helper.AppRater;
import com.teamNikaml.bipinography.picasa.model.Category;
public class SplashActivity extends Activity {
private static final String TAG = SplashActivity.class.getSimpleName();
private static final String TAG_FEED = "feed", TAG_ENTRY = "entry",
TAG_GPHOTO_ID = "gphoto$id", TAG_T = "$t",
TAG_ALBUM_TITLE = "title";
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
getWindow().requestFeature(Window.FEATURE_ACTION_BAR);
getActionBar().hide();
setContentView(R.layout.activity_splash);
AppRater.app_launched(this);
// Picasa request to get list of albums
String url = AppConst.URL_PICASA_ALBUMS
.replace("_PICASA_USER_", AppController.getInstance()
.getPrefManger().getGoogleUserName());
// Preparing volley's json object request
JsonObjectRequest jsonObjReq = new JsonObjectRequest(Method.GET, url,
null, new Response.Listener<JSONObject>() {
@Override
public void onResponse(JSONObject response) {
List<Category> albums = new ArrayList<Category>();
try {
// Parsing the json response
JSONArray entry = response.getJSONObject(TAG_FEED)
.getJSONArray(TAG_ENTRY);
// loop through albums nodes and add them to album
// list
for (int i = 0; i < entry.length(); i++) {
JSONObject albumObj = (JSONObject) entry.get(i);
// album id
String albumId = albumObj.getJSONObject(
TAG_GPHOTO_ID).getString(TAG_T);
// album title
String albumTitle = albumObj.getJSONObject(
TAG_ALBUM_TITLE).getString(TAG_T);
Category album = new Category();
album.setId(albumId);
album.setTitle(albumTitle);
// add album to list
albums.add(album);
}
// Store albums in shared pref
AppController.getInstance().getPrefManger()
.storeCategories(albums);
// String the main activity
Intent intent = new Intent(getApplicationContext(),
WallpaperActivity.class);
startActivity(intent);
// closing spalsh activity
finish();
} catch (JSONException e) {
e.printStackTrace();
Toast.makeText(getApplicationContext(),
getString(R.string.msg_unknown_error),
Toast.LENGTH_LONG).show();
}
}
}, new Response.ErrorListener() {
@Override
public void onErrorResponse(VolleyError error) {
// show error toast
Toast.makeText(getApplicationContext(),
getString(R.string.splash_error),
Toast.LENGTH_LONG).show();
// Unable to fetch albums
// check for existing Albums data in Shared Preferences
if (AppController.getInstance().getPrefManger()
.getCategories() != null && AppController.getInstance().getPrefManger()
.getCategories().size() > 0) {
// String the main activity
Intent intent = new Intent(getApplicationContext(),
WallpaperActivity.class);
startActivity(intent);
// closing spalsh activity
finish();
} else {
// Albums data not present in the shared preferences
// Launch settings activity, so that user can modify
// the settings
Intent i = new Intent(SplashActivity.this,
SettingsActivity.class);
// clear all the activities
i.setFlags(Intent.FLAG_ACTIVITY_NEW_TASK
| Intent.FLAG_ACTIVITY_CLEAR_TASK);
startActivity(i);
}
}
});
// disable the cache for this request, so that it always fetches updated
// json
jsonObjReq.setShouldCache(false);
// Making the request
AppController.getInstance().addToRequestQueue(jsonObjReq);
}
}
| Java |
package fr.obeo.dsl.minidrone.application;
import org.eclipse.jface.action.IMenuManager;
import org.eclipse.ui.IWorkbenchWindow;
import org.eclipse.ui.application.ActionBarAdvisor;
import org.eclipse.ui.application.IActionBarConfigurer;
public class ApplicationActionBarAdvisor extends ActionBarAdvisor {
public ApplicationActionBarAdvisor(IActionBarConfigurer configurer) {
super(configurer);
}
protected void makeActions(IWorkbenchWindow window) {
}
protected void fillMenuBar(IMenuManager menuBar) {
}
}
| Java |
/**
* Copyright (c) 2005-2013 by Appcelerator, Inc. All Rights Reserved.
* Licensed under the terms of the Eclipse Public License (EPL).
* Please see the license.txt included with this distribution for details.
* Any modifications to this file must keep this entire header intact.
*/
/*
* Created on 25/08/2005
*
* @author Fabio Zadrozny
*/
package com.python.pydev.codecompletion.participant;
import java.io.File;
import org.eclipse.core.runtime.preferences.IEclipsePreferences;
import org.eclipse.jface.text.Document;
import org.python.pydev.ast.codecompletion.PyCodeCompletion;
import org.python.pydev.ast.codecompletion.PyCodeCompletionPreferences;
import org.python.pydev.ast.codecompletion.revisited.modules.SourceToken;
import org.python.pydev.core.IToken;
import org.python.pydev.core.TestDependent;
import org.python.pydev.core.TokensList;
import org.python.pydev.core.proposals.CompletionProposalFactory;
import org.python.pydev.editor.actions.PySelectionTest;
import org.python.pydev.editor.codecompletion.proposals.CtxInsensitiveImportComplProposal;
import org.python.pydev.editor.codecompletion.proposals.DefaultCompletionProposalFactory;
import org.python.pydev.parser.jython.ast.Import;
import org.python.pydev.parser.jython.ast.NameTok;
import org.python.pydev.parser.jython.ast.aliasType;
import org.python.pydev.shared_core.code_completion.ICompletionProposalHandle;
import org.python.pydev.shared_core.preferences.InMemoryEclipsePreferences;
import com.python.pydev.analysis.AnalysisPreferences;
import com.python.pydev.analysis.additionalinfo.AdditionalInfoTestsBase;
import com.python.pydev.codecompletion.ctxinsensitive.CtxParticipant;
public class CompletionParticipantTest extends AdditionalInfoTestsBase {
public static void main(String[] args) {
CompletionParticipantTest test = new CompletionParticipantTest();
try {
test.setUp();
test.testImportCompletionFromZip();
test.tearDown();
junit.textui.TestRunner.run(CompletionParticipantTest.class);
} catch (Throwable e) {
e.printStackTrace();
}
}
@Override
public void setUp() throws Exception {
// forceAdditionalInfoRecreation = true; -- just for testing purposes
super.setUp();
codeCompletion = new PyCodeCompletion();
CompletionProposalFactory.set(new DefaultCompletionProposalFactory());
}
@Override
public void tearDown() throws Exception {
super.tearDown();
PyCodeCompletionPreferences.getPreferencesForTests = null;
CompletionProposalFactory.set(null);
}
@Override
protected String getSystemPythonpathPaths() {
return TestDependent.getCompletePythonLib(true, isPython3Test()) + "|" + TestDependent.TEST_PYSRC_TESTING_LOC
+ "myzipmodule.zip"
+ "|"
+ TestDependent.TEST_PYSRC_TESTING_LOC + "myeggmodule.egg";
}
public void testImportCompletion() throws Exception {
participant = new ImportsCompletionParticipant();
//check simple
ICompletionProposalHandle[] proposals = requestCompl(
"unittest", -1, -1, new String[] { "unittest", "unittest - testlib" }); //the unittest module and testlib.unittest
Document document = new Document("unittest");
ICompletionProposalHandle p0 = null;
ICompletionProposalHandle p1 = null;
for (ICompletionProposalHandle p : proposals) {
String displayString = p.getDisplayString();
if (displayString.equals("unittest")) {
p0 = p;
} else if (displayString.equals("unittest - testlib")) {
p1 = p;
}
}
if (p0 == null) {
fail("Could not find unittest import");
}
if (p1 == null) {
fail("Could not find unittest - testlib import");
}
((CtxInsensitiveImportComplProposal) p0).indentString = " ";
((CtxInsensitiveImportComplProposal) p0).apply(document, ' ', 0, 8);
PySelectionTest.checkStrEquals("import unittest\r\nunittest", document.get());
document = new Document("unittest");
((CtxInsensitiveImportComplProposal) p1).indentString = " ";
((CtxInsensitiveImportComplProposal) p1).apply(document, ' ', 0, 8);
PySelectionTest.checkStrEquals("from testlib import unittest\r\nunittest", document.get());
document = new Document("unittest");
final IEclipsePreferences prefs = new InMemoryEclipsePreferences();
PyCodeCompletionPreferences.getPreferencesForTests = () -> prefs;
document = new Document("unittest");
prefs.putBoolean(PyCodeCompletionPreferences.APPLY_COMPLETION_ON_DOT, false);
((CtxInsensitiveImportComplProposal) p1).indentString = " ";
((CtxInsensitiveImportComplProposal) p1).apply(document, '.', 0, 8);
PySelectionTest.checkStrEquals("unittest.", document.get());
document = new Document("unittest");
prefs.putBoolean(PyCodeCompletionPreferences.APPLY_COMPLETION_ON_DOT, true);
((CtxInsensitiveImportComplProposal) p1).indentString = " ";
((CtxInsensitiveImportComplProposal) p1).apply(document, '.', 0, 8);
PySelectionTest.checkStrEquals("from testlib import unittest\r\nunittest.", document.get());
//for imports, the behavior never changes
AnalysisPreferences.TESTS_DO_IGNORE_IMPORT_STARTING_WITH_UNDER = true;
try {
proposals = requestCompl("_priv3", new String[] { "_priv3 - relative.rel1._priv1._priv2" });
document = new Document("_priv3");
((CtxInsensitiveImportComplProposal) proposals[0]).indentString = " ";
((CtxInsensitiveImportComplProposal) proposals[0]).apply(document, ' ', 0, 6);
PySelectionTest.checkStrEquals("from relative.rel1._priv1._priv2 import _priv3\r\n_priv3", document.get());
} finally {
AnalysisPreferences.TESTS_DO_IGNORE_IMPORT_STARTING_WITH_UNDER = false;
}
//check on actual file
requestCompl(new File(TestDependent.TEST_PYSRC_TESTING_LOC + "/testlib/unittest/guitestcase.py"), "guite", -1,
0,
new String[] {});
Import importTok = new Import(new aliasType[] { new aliasType(new NameTok("unittest", NameTok.ImportModule),
null) });
this.imports = new TokensList(new IToken[] { new SourceToken(importTok, "unittest", "", "", "", null) });
requestCompl("import unittest\nunittest", new String[] {}); //none because the import for unittest is already there
requestCompl("import unittest\nunittes", new String[] {}); //the local import for unittest (won't actually show anything because we're only exercising the participant test)
this.imports = null;
}
public void testImportCompletionFromZip2() throws Exception {
participant = new ImportsCompletionParticipant();
ICompletionProposalHandle[] proposals = requestCompl("myzip", -1, -1, new String[] {});
assertContains("myzipfile - myzipmodule", proposals);
assertContains("myzipmodule", proposals);
proposals = requestCompl("myegg", -1, -1, new String[] {});
assertContains("myeggfile - myeggmodule", proposals);
assertContains("myeggmodule", proposals);
}
public void testImportCompletionFromZip() throws Exception {
participant = new CtxParticipant();
ICompletionProposalHandle[] proposals = requestCompl("myzipc", -1, -1, new String[] {});
assertContains("MyZipClass - myzipmodule.myzipfile", proposals);
proposals = requestCompl("myegg", -1, -1, new String[] {});
assertContains("MyEggClass - myeggmodule.myeggfile", proposals);
}
public void testImportCompletion2() throws Exception {
participant = new CtxParticipant();
ICompletionProposalHandle[] proposals = requestCompl("xml", -1, -1, new String[] {});
assertNotContains("xml - xmlrpclib", proposals);
requestCompl(new File(TestDependent.TEST_PYSRC_TESTING_LOC + "/testlib/unittest/guitestcase.py"), "guite", -1,
0,
new String[] {});
//the behavior changes for tokens on modules
AnalysisPreferences.TESTS_DO_IGNORE_IMPORT_STARTING_WITH_UNDER = true;
try {
proposals = requestCompl("Priv3", new String[] { "Priv3 - relative.rel1._priv1._priv2._priv3" });
Document document = new Document("Priv3");
((CtxInsensitiveImportComplProposal) proposals[0]).indentString = " ";
((CtxInsensitiveImportComplProposal) proposals[0]).apply(document, ' ', 0, 5);
PySelectionTest.checkStrEquals("from relative.rel1 import Priv3\r\nPriv3", document.get());
} finally {
AnalysisPreferences.TESTS_DO_IGNORE_IMPORT_STARTING_WITH_UNDER = false;
}
}
}
| Java |
package treehou.se.habit.ui.util;
import android.content.Context;
import android.graphics.Color;
import android.os.Bundle;
import android.support.v4.app.Fragment;
import android.support.v7.widget.DefaultItemAnimator;
import android.support.v7.widget.LinearLayoutManager;
import android.support.v7.widget.RecyclerView;
import android.view.LayoutInflater;
import android.view.View;
import android.view.ViewGroup;
import android.widget.ImageView;
import android.widget.TextView;
import com.mikepenz.community_material_typeface_library.CommunityMaterial;
import com.mikepenz.iconics.IconicsDrawable;
import com.mikepenz.iconics.typeface.IIcon;
import java.util.ArrayList;
import java.util.List;
import treehou.se.habit.R;
import treehou.se.habit.util.Util;
/**
* Fragment for picking categories of icons.
*/
public class CategoryPickerFragment extends Fragment {
private RecyclerView lstIcons;
private CategoryAdapter adapter;
private ViewGroup container;
public static CategoryPickerFragment newInstance() {
CategoryPickerFragment fragment = new CategoryPickerFragment();
Bundle args = new Bundle();
fragment.setArguments(args);
return fragment;
}
public CategoryPickerFragment() {
// Required empty public constructor
}
@Override
public View onCreateView(LayoutInflater inflater, ViewGroup container, Bundle savedInstanceState) {
View rootView = inflater.inflate(R.layout.fragment_icon_picker, null);
lstIcons = (RecyclerView) rootView.findViewById(R.id.lst_categories);
lstIcons.setItemAnimator(new DefaultItemAnimator());
lstIcons.setLayoutManager(new LinearLayoutManager(getActivity()));
// Hookup list of categories
adapter = new CategoryAdapter(getActivity());
adapter.add(new CategoryPicker(CommunityMaterial.Icon.cmd_play, getString(R.string.media), Util.IconCategory.MEDIA));
adapter.add(new CategoryPicker(CommunityMaterial.Icon.cmd_alarm, getString(R.string.sensor), Util.IconCategory.SENSORS));
adapter.add(new CategoryPicker(CommunityMaterial.Icon.cmd_power, getString(R.string.command), Util.IconCategory.COMMANDS));
adapter.add(new CategoryPicker(CommunityMaterial.Icon.cmd_arrow_up, getString(R.string.arrows), Util.IconCategory.ARROWS));
adapter.add(new CategoryPicker(CommunityMaterial.Icon.cmd_view_module, getString(R.string.all), Util.IconCategory.ALL));
lstIcons.setAdapter(adapter);
this.container = container;
return rootView;
}
private class CategoryPicker {
private IIcon icon;
private String category;
private Util.IconCategory id;
public CategoryPicker(IIcon icon, String category, Util.IconCategory id) {
this.icon = icon;
this.category = category;
this.id = id;
}
public String getCategory() {
return category;
}
public void setCategory(String category) {
this.category = category;
}
public IIcon getIcon() {
return icon;
}
public void setIcon(IIcon icon) {
this.icon = icon;
}
public Util.IconCategory getId() {
return id;
}
public void setId(Util.IconCategory id) {
this.id = id;
}
}
private class CategoryAdapter extends RecyclerView.Adapter<RecyclerView.ViewHolder> {
private Context context;
private List<CategoryPicker> categories = new ArrayList<>();
class CategoryHolder extends RecyclerView.ViewHolder {
public ImageView imgIcon;
public TextView lblCategory;
public CategoryHolder(View itemView) {
super(itemView);
imgIcon = (ImageView) itemView.findViewById(R.id.img_menu);
lblCategory = (TextView) itemView.findViewById(R.id.lbl_label);
}
}
public CategoryAdapter(Context context) {
this.context = context;
}
public void add(CategoryPicker category){
categories.add(category);
notifyDataSetChanged();
}
@Override
public RecyclerView.ViewHolder onCreateViewHolder(ViewGroup parent, int viewType) {
LayoutInflater inflater = LayoutInflater.from(context);
View itemView = inflater.inflate(R.layout.item_category, parent, false);
return new CategoryHolder(itemView);
}
@Override
public void onBindViewHolder(RecyclerView.ViewHolder holder, int position) {
final CategoryPicker item = categories.get(position);
CategoryHolder catHolder = (CategoryHolder) holder;
IconicsDrawable drawable = new IconicsDrawable(getActivity(), item.getIcon()).color(Color.BLACK).sizeDp(50);
catHolder.imgIcon.setImageDrawable(drawable);
catHolder.lblCategory.setText(item.getCategory());
holder.itemView.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
getActivity().getSupportFragmentManager().beginTransaction()
.replace(container.getId(), IconPickerFragment.newInstance(item.getId()))
.addToBackStack(null)
.commit();
}
});
}
@Override
public int getItemCount() {
return categories.size();
}
}
}
| Java |
/*******************************************************************************
* Copyright 2009 Regents of the University of Minnesota. All rights
* reserved.
* Copyright 2009 Mayo Foundation for Medical Education and Research.
* All rights reserved.
*
* This program is made available under the terms of the Eclipse
* Public License v1.0 which accompanies this distribution,
* and is available at http://www.eclipse.org/legal/epl-v10.html
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, EITHER EXPRESS OR
* IMPLIED INCLUDING, WITHOUT LIMITATION, ANY WARRANTIES OR CONDITIONS
* OF TITLE, NON-INFRINGEMENT, MERCHANTABILITY OR FITNESS FOR A
* PARTICULAR PURPOSE. See the License for the specific language
* governing permissions and limitations under the License.
*
* Contributors:
* Minnesota Supercomputing Institute - initial API and implementation
******************************************************************************/
package edu.umn.msi.tropix.persistence.service;
import javax.annotation.Nullable;
import edu.umn.msi.tropix.models.ITraqQuantitationAnalysis;
import edu.umn.msi.tropix.persistence.aop.Modifies;
import edu.umn.msi.tropix.persistence.aop.PersistenceMethod;
import edu.umn.msi.tropix.persistence.aop.Reads;
import edu.umn.msi.tropix.persistence.aop.UserId;
public interface ITraqQuantitationAnalysisService {
@PersistenceMethod
ITraqQuantitationAnalysis createQuantitationAnalysis(@UserId String userId, @Nullable @Modifies String destinationId, ITraqQuantitationAnalysis quantitationAnalysis, @Modifies String dataReportId, @Reads String[] inputRunIds, @Nullable @Reads String trainingId, @Modifies String outputFileId);
}
| Java |
/**
* Copyright (c) 2005-2013 by Appcelerator, Inc. All Rights Reserved.
* Licensed under the terms of the Eclipse Public License (EPL).
* Please see the license.txt included with this distribution for details.
* Any modifications to this file must keep this entire header intact.
*/
/*
* Created on May 24, 2005
*
* @author Fabio Zadrozny
*/
package org.python.pydev.editor.codecompletion.revisited;
import java.io.File;
import java.util.ArrayList;
import java.util.Collection;
import java.util.HashSet;
import java.util.LinkedHashSet;
import java.util.List;
import java.util.Set;
import java.util.SortedMap;
import java.util.TreeMap;
import org.eclipse.core.resources.IFile;
import org.eclipse.core.resources.IProject;
import org.eclipse.core.resources.IResource;
import org.eclipse.core.runtime.CoreException;
import org.python.pydev.core.DeltaSaver;
import org.python.pydev.core.ICodeCompletionASTManager;
import org.python.pydev.core.IInterpreterInfo;
import org.python.pydev.core.IInterpreterManager;
import org.python.pydev.core.IModule;
import org.python.pydev.core.IModulesManager;
import org.python.pydev.core.IProjectModulesManager;
import org.python.pydev.core.IPythonNature;
import org.python.pydev.core.IPythonPathNature;
import org.python.pydev.core.ISystemModulesManager;
import org.python.pydev.core.ModulesKey;
import org.python.pydev.core.log.Log;
import org.python.pydev.editor.codecompletion.revisited.javaintegration.JavaProjectModulesManagerCreator;
import org.python.pydev.plugin.nature.PythonNature;
import org.python.pydev.shared_core.io.FileUtils;
import org.python.pydev.shared_core.string.StringUtils;
import org.python.pydev.shared_core.structure.Tuple;
/**
* @author Fabio Zadrozny
*/
public final class ProjectModulesManager extends ModulesManagerWithBuild implements IProjectModulesManager {
private static final boolean DEBUG_MODULES = false;
//these attributes must be set whenever this class is restored.
private volatile IProject project;
private volatile IPythonNature nature;
public ProjectModulesManager() {
}
/**
* @see org.python.pydev.core.IProjectModulesManager#setProject(org.eclipse.core.resources.IProject, boolean)
*/
@Override
public void setProject(IProject project, IPythonNature nature, boolean restoreDeltas) {
this.project = project;
this.nature = nature;
File completionsCacheDir = this.nature.getCompletionsCacheDir();
if (completionsCacheDir == null) {
return; //project was deleted.
}
DeltaSaver<ModulesKey> d = this.deltaSaver = new DeltaSaver<ModulesKey>(completionsCacheDir, "v1_astdelta",
readFromFileMethod,
toFileMethod);
if (!restoreDeltas) {
d.clearAll(); //remove any existing deltas
} else {
d.processDeltas(this); //process the current deltas (clears current deltas automatically and saves it when the processing is concluded)
}
}
// ------------------------ delta processing
/**
* @see org.python.pydev.core.IProjectModulesManager#endProcessing()
*/
@Override
public void endProcessing() {
//save it with the updated info
nature.saveAstManager();
}
// ------------------------ end delta processing
/**
* @see org.python.pydev.core.IProjectModulesManager#setPythonNature(org.python.pydev.core.IPythonNature)
*/
@Override
public void setPythonNature(IPythonNature nature) {
this.nature = nature;
}
/**
* @see org.python.pydev.core.IProjectModulesManager#getNature()
*/
@Override
public IPythonNature getNature() {
return nature;
}
/**
* @param defaultSelectedInterpreter
* @see org.python.pydev.core.IProjectModulesManager#getSystemModulesManager()
*/
@Override
public ISystemModulesManager getSystemModulesManager() {
if (nature == null) {
Log.log("Nature still not set");
return null; //still not set (initialization)
}
try {
return nature.getProjectInterpreter().getModulesManager();
} catch (Exception e1) {
return null;
}
}
/**
* @see org.python.pydev.core.IProjectModulesManager#getAllModuleNames(boolean addDependencies, String partStartingWithLowerCase)
*/
@Override
public Set<String> getAllModuleNames(boolean addDependencies, String partStartingWithLowerCase) {
if (addDependencies) {
Set<String> s = new HashSet<String>();
IModulesManager[] managersInvolved = this.getManagersInvolved(true);
for (int i = 0; i < managersInvolved.length; i++) {
s.addAll(managersInvolved[i].getAllModuleNames(false, partStartingWithLowerCase));
}
return s;
} else {
return super.getAllModuleNames(addDependencies, partStartingWithLowerCase);
}
}
/**
* @return all the modules that start with some token (from this manager and others involved)
*/
@Override
public SortedMap<ModulesKey, ModulesKey> getAllModulesStartingWith(String strStartingWith) {
SortedMap<ModulesKey, ModulesKey> ret = new TreeMap<ModulesKey, ModulesKey>();
IModulesManager[] managersInvolved = this.getManagersInvolved(true);
for (int i = 0; i < managersInvolved.length; i++) {
ret.putAll(managersInvolved[i].getAllDirectModulesStartingWith(strStartingWith));
}
return ret;
}
/**
* @see org.python.pydev.core.IProjectModulesManager#getModule(java.lang.String, org.python.pydev.plugin.nature.PythonNature, boolean)
*/
@Override
public IModule getModule(String name, IPythonNature nature, boolean dontSearchInit) {
return getModule(name, nature, true, dontSearchInit);
}
/**
* When looking for relative, we do not check dependencies
*/
@Override
public IModule getRelativeModule(String name, IPythonNature nature) {
return super.getModule(false, name, nature, true); //cannot be a compiled module
}
/**
* @see org.python.pydev.core.IProjectModulesManager#getModule(java.lang.String, org.python.pydev.plugin.nature.PythonNature, boolean, boolean)
*/
@Override
public IModule getModule(String name, IPythonNature nature, boolean checkSystemManager, boolean dontSearchInit) {
Tuple<IModule, IModulesManager> ret = getModuleAndRelatedModulesManager(name, nature, checkSystemManager,
dontSearchInit);
if (ret != null) {
return ret.o1;
}
return null;
}
/**
* @return a tuple with the IModule requested and the IModulesManager that contained that module.
*/
@Override
public Tuple<IModule, IModulesManager> getModuleAndRelatedModulesManager(String name, IPythonNature nature,
boolean checkSystemManager, boolean dontSearchInit) {
IModule module = null;
IModulesManager[] managersInvolved = this.getManagersInvolved(true); //only get the system manager here (to avoid recursion)
for (IModulesManager m : managersInvolved) {
if (m instanceof ISystemModulesManager) {
module = ((ISystemModulesManager) m).getBuiltinModule(name, dontSearchInit);
if (module != null) {
if (DEBUG_MODULES) {
System.out.println("Trying to get:" + name + " - " + " returned builtin:" + module + " - "
+ m.getClass());
}
return new Tuple<IModule, IModulesManager>(module, m);
}
}
}
for (IModulesManager m : managersInvolved) {
if (m instanceof IProjectModulesManager) {
IProjectModulesManager pM = (IProjectModulesManager) m;
module = pM.getModuleInDirectManager(name, nature, dontSearchInit);
} else if (m instanceof ISystemModulesManager) {
ISystemModulesManager systemModulesManager = (ISystemModulesManager) m;
module = systemModulesManager.getModuleWithoutBuiltins(name, nature, dontSearchInit);
} else {
throw new RuntimeException("Unexpected: " + m);
}
if (module != null) {
if (DEBUG_MODULES) {
System.out.println("Trying to get:" + name + " - " + " returned:" + module + " - " + m.getClass());
}
return new Tuple<IModule, IModulesManager>(module, m);
}
}
if (DEBUG_MODULES) {
System.out.println("Trying to get:" + name + " - " + " returned:null - " + this.getClass());
}
return null;
}
/**
* Only searches the modules contained in the direct modules manager.
*/
@Override
public IModule getModuleInDirectManager(String name, IPythonNature nature, boolean dontSearchInit) {
return super.getModule(name, nature, dontSearchInit);
}
@Override
protected String getResolveModuleErr(IResource member) {
return "Unable to find the path " + member + " in the project were it\n"
+ "is added as a source folder for pydev (project: " + project.getName() + ")";
}
public String resolveModuleOnlyInProjectSources(String fileAbsolutePath, boolean addExternal) throws CoreException {
String onlyProjectPythonPathStr = this.nature.getPythonPathNature().getOnlyProjectPythonPathStr(addExternal);
List<String> pathItems = StringUtils.splitAndRemoveEmptyTrimmed(onlyProjectPythonPathStr, '|');
List<String> filteredPathItems = filterDuplicatesPreservingOrder(pathItems);
return this.pythonPathHelper.resolveModule(fileAbsolutePath, false, filteredPathItems, project);
}
private List<String> filterDuplicatesPreservingOrder(List<String> pathItems) {
return new ArrayList<>(new LinkedHashSet<>(pathItems));
}
/**
* @see org.python.pydev.core.IProjectModulesManager#resolveModule(java.lang.String)
*/
@Override
public String resolveModule(String full) {
return resolveModule(full, true);
}
/**
* @see org.python.pydev.core.IProjectModulesManager#resolveModule(java.lang.String, boolean)
*/
@Override
public String resolveModule(String full, boolean checkSystemManager) {
IModulesManager[] managersInvolved = this.getManagersInvolved(checkSystemManager);
for (IModulesManager m : managersInvolved) {
String mod;
if (m instanceof IProjectModulesManager) {
IProjectModulesManager pM = (IProjectModulesManager) m;
mod = pM.resolveModuleInDirectManager(full);
} else {
mod = m.resolveModule(full);
}
if (mod != null) {
return mod;
}
}
return null;
}
@Override
public String resolveModuleInDirectManager(String full) {
if (nature != null) {
return pythonPathHelper.resolveModule(full, false, nature.getProject());
}
return super.resolveModule(full);
}
@Override
public String resolveModuleInDirectManager(IFile member) {
File inOs = member.getRawLocation().toFile();
return resolveModuleInDirectManager(FileUtils.getFileAbsolutePath(inOs));
}
/**
* @see org.python.pydev.core.IProjectModulesManager#getSize(boolean)
*/
@Override
public int getSize(boolean addDependenciesSize) {
if (addDependenciesSize) {
int size = 0;
IModulesManager[] managersInvolved = this.getManagersInvolved(true);
for (int i = 0; i < managersInvolved.length; i++) {
size += managersInvolved[i].getSize(false);
}
return size;
} else {
return super.getSize(addDependenciesSize);
}
}
/**
* @see org.python.pydev.core.IProjectModulesManager#getBuiltins()
*/
@Override
public String[] getBuiltins() {
String[] builtins = null;
ISystemModulesManager systemModulesManager = getSystemModulesManager();
if (systemModulesManager != null) {
builtins = systemModulesManager.getBuiltins();
}
return builtins;
}
/**
* @param checkSystemManager whether the system manager should be added
* @param referenced true if we should get the referenced projects
* false if we should get the referencing projects
* @return the Managers that this project references or the ones that reference this project (depends on 'referenced')
*
* Change in 1.3.3: adds itself to the list of returned managers
*/
private synchronized IModulesManager[] getManagers(boolean checkSystemManager, boolean referenced) {
CompletionCache localCompletionCache = this.completionCache;
if (localCompletionCache != null) {
IModulesManager[] ret = localCompletionCache.getManagers(referenced);
if (ret != null) {
return ret;
}
}
ArrayList<IModulesManager> list = new ArrayList<IModulesManager>();
ISystemModulesManager systemModulesManager = getSystemModulesManager();
//add itself 1st
list.add(this);
//get the projects 1st
if (project != null) {
IModulesManager javaModulesManagerForProject = JavaProjectModulesManagerCreator
.createJavaProjectModulesManagerIfPossible(project);
if (javaModulesManagerForProject != null) {
list.add(javaModulesManagerForProject);
}
Set<IProject> projs;
if (referenced) {
projs = getReferencedProjects(project);
} else {
projs = getReferencingProjects(project);
}
addModuleManagers(list, projs);
}
//the system is the last one we add
//http://sourceforge.net/tracker/index.php?func=detail&aid=1687018&group_id=85796&atid=577329
if (checkSystemManager && systemModulesManager != null) {
//may be null in initialization or if the project does not have a related interpreter manager at the present time
//(i.e.: misconfigured project)
list.add(systemModulesManager);
}
IModulesManager[] ret = list.toArray(new IModulesManager[list.size()]);
if (localCompletionCache != null) {
localCompletionCache.setManagers(ret, referenced);
}
return ret;
}
public static Set<IProject> getReferencingProjects(IProject project) {
HashSet<IProject> memo = new HashSet<IProject>();
getProjectsRecursively(project, false, memo);
memo.remove(project); //shouldn't happen unless we've a cycle...
return memo;
}
public static Set<IProject> getReferencedProjects(IProject project) {
HashSet<IProject> memo = new HashSet<IProject>();
getProjectsRecursively(project, true, memo);
memo.remove(project); //shouldn't happen unless we've a cycle...
return memo;
}
/**
* @param project the project for which we want references.
* @param referenced whether we want to get the referenced projects or the ones referencing this one.
* @param memo (out) this is the place where all the projects will e available.
*
* Note: the project itself will not be added.
*/
private static void getProjectsRecursively(IProject project, boolean referenced, HashSet<IProject> memo) {
IProject[] projects = null;
try {
if (project == null || !project.isOpen() || !project.exists() || memo.contains(projects)) {
return;
}
if (referenced) {
projects = project.getReferencedProjects();
} else {
projects = project.getReferencingProjects();
}
} catch (CoreException e) {
//ignore (it's closed)
}
if (projects != null) {
for (IProject p : projects) {
if (!memo.contains(p)) {
memo.add(p);
getProjectsRecursively(p, referenced, memo);
}
}
}
}
/**
* @param list the list that will be filled with the managers
* @param projects the projects that should have the managers added
*/
private void addModuleManagers(ArrayList<IModulesManager> list, Collection<IProject> projects) {
for (IProject project : projects) {
PythonNature nature = PythonNature.getPythonNature(project);
if (nature != null) {
ICodeCompletionASTManager otherProjectAstManager = nature.getAstManager();
if (otherProjectAstManager != null) {
IModulesManager projectModulesManager = otherProjectAstManager.getModulesManager();
if (projectModulesManager != null) {
list.add(projectModulesManager);
}
} else {
//Removed the warning below: this may be common when starting up...
//String msg = "No ast manager configured for :" + project.getName();
//Log.log(IStatus.WARNING, msg, new RuntimeException(msg));
}
}
IModulesManager javaModulesManagerForProject = JavaProjectModulesManagerCreator
.createJavaProjectModulesManagerIfPossible(project);
if (javaModulesManagerForProject != null) {
list.add(javaModulesManagerForProject);
}
}
}
/**
* @return Returns the managers that this project references, including itself.
*/
public IModulesManager[] getManagersInvolved(boolean checkSystemManager) {
return getManagers(checkSystemManager, true);
}
/**
* @return Returns the managers that reference this project, including itself.
*/
public IModulesManager[] getRefencingManagersInvolved(boolean checkSystemManager) {
return getManagers(checkSystemManager, false);
}
/**
* Helper to work as a timer to know when to check for pythonpath consistencies.
*/
private volatile long checkedPythonpathConsistency = 0;
/**
* @see org.python.pydev.core.IProjectModulesManager#getCompletePythonPath()
*/
@Override
public List<String> getCompletePythonPath(IInterpreterInfo interpreter, IInterpreterManager manager) {
List<String> l = new ArrayList<String>();
IModulesManager[] managersInvolved = getManagersInvolved(true);
for (IModulesManager m : managersInvolved) {
if (m instanceof ISystemModulesManager) {
ISystemModulesManager systemModulesManager = (ISystemModulesManager) m;
l.addAll(systemModulesManager.getCompletePythonPath(interpreter, manager));
} else {
PythonPathHelper h = (PythonPathHelper) m.getPythonPathHelper();
if (h != null) {
List<String> pythonpath = h.getPythonpath();
//Note: this was previously only l.addAll(pythonpath), and was changed to the code below as a place
//to check for consistencies in the pythonpath stored in the pythonpath helper and the pythonpath
//available in the PythonPathNature (in general, when requesting it the PythonPathHelper should be
//used, as it's a cache for the resolved values of the PythonPathNature).
boolean forceCheck = false;
ProjectModulesManager m2 = null;
String onlyProjectPythonPathStr = null;
if (m instanceof ProjectModulesManager) {
long currentTimeMillis = System.currentTimeMillis();
m2 = (ProjectModulesManager) m;
//check at most once every 20 seconds (or every time if the pythonpath is empty... in which case
//it should be fast to get it too if it's consistent).
if (pythonpath.size() == 0 || currentTimeMillis - m2.checkedPythonpathConsistency > 20 * 1000) {
try {
IPythonNature n = m.getNature();
if (n != null) {
IPythonPathNature pythonPathNature = n.getPythonPathNature();
if (pythonPathNature != null) {
onlyProjectPythonPathStr = pythonPathNature.getOnlyProjectPythonPathStr(true);
m2.checkedPythonpathConsistency = currentTimeMillis;
forceCheck = true;
}
}
} catch (Exception e) {
Log.log(e);
}
}
}
if (forceCheck) {
//Check if it's actually correct and auto-fix if it's not.
List<String> parsed = PythonPathHelper.parsePythonPathFromStr(onlyProjectPythonPathStr, null);
if (m2.nature != null && !new HashSet<String>(parsed).equals(new HashSet<String>(pythonpath))) {
// Make it right at this moment (so any other place that calls it before the restore
//takes place has the proper version).
h.setPythonPath(parsed);
// Force a rebuild as the PythonPathHelper paths are not up to date.
m2.nature.rebuildPath();
}
l.addAll(parsed); //add the proper paths
} else {
l.addAll(pythonpath);
}
}
}
}
return l;
}
}
| Java |
/**
*
*/
package com.coin.arbitrage.huobi.util;
/**
* @author Frank
*
*/
public enum DepthType {
STEP0("step0"),
STEP1("step1"),
STEP2("step2"),
STEP3("step3"),
STEP4("step4"),
STEP5("step5");
private String depth;
private DepthType(String depth) {
this.depth = depth;
}
public String getDepth() {
return depth;
}
}
| Java |
/*******************************************************************************
* Debrief - the Open Source Maritime Analysis Application
* http://debrief.info
*
* (C) 2000-2020, Deep Blue C Technology Ltd
*
* This library is free software; you can redistribute it and/or
* modify it under the terms of the Eclipse Public License v1.0
* (http://www.eclipse.org/legal/epl-v10.html)
*
* This library 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.
*******************************************************************************/
package Debrief.Tools.Tote;
import MWC.GUI.PlainChart;
import MWC.GUI.ToolParent;
import MWC.GUI.Tools.Action;
import MWC.GUI.Tools.PlainTool;
public final class StartTote extends PlainTool {
/**
*
*/
private static final long serialVersionUID = 1L;
/////////////////////////////////////////////////////////////
// member variables
////////////////////////////////////////////////////////////
private final PlainChart _theChart;
/////////////////////////////////////////////////////////////
// constructor
////////////////////////////////////////////////////////////
public StartTote(final ToolParent theParent, final PlainChart theChart) {
super(theParent, "Step Forward", null);
_theChart = theChart;
}
@Override
public final void execute() {
_theChart.update();
}
/////////////////////////////////////////////////////////////
// member functions
////////////////////////////////////////////////////////////
@Override
public final Action getData() {
// return the product
return null;
}
}
| Java |
/**
*/
package org.liquibase.xml.ns.dbchangelog.impl;
import java.util.Collection;
import org.eclipse.emf.common.notify.NotificationChain;
import org.eclipse.emf.common.util.EList;
import org.eclipse.emf.ecore.EClass;
import org.eclipse.emf.ecore.InternalEObject;
import org.eclipse.emf.ecore.impl.MinimalEObjectImpl;
import org.eclipse.emf.ecore.util.BasicFeatureMap;
import org.eclipse.emf.ecore.util.FeatureMap;
import org.eclipse.emf.ecore.util.InternalEList;
import org.liquibase.xml.ns.dbchangelog.AndType;
import org.liquibase.xml.ns.dbchangelog.ChangeLogPropertyDefinedType;
import org.liquibase.xml.ns.dbchangelog.ChangeSetExecutedType;
import org.liquibase.xml.ns.dbchangelog.ColumnExistsType;
import org.liquibase.xml.ns.dbchangelog.CustomPreconditionType;
import org.liquibase.xml.ns.dbchangelog.DbchangelogPackage;
import org.liquibase.xml.ns.dbchangelog.DbmsType;
import org.liquibase.xml.ns.dbchangelog.ExpectedQuotingStrategyType;
import org.liquibase.xml.ns.dbchangelog.ForeignKeyConstraintExistsType;
import org.liquibase.xml.ns.dbchangelog.IndexExistsType;
import org.liquibase.xml.ns.dbchangelog.NotType;
import org.liquibase.xml.ns.dbchangelog.OrType;
import org.liquibase.xml.ns.dbchangelog.PrimaryKeyExistsType;
import org.liquibase.xml.ns.dbchangelog.RowCountType;
import org.liquibase.xml.ns.dbchangelog.RunningAsType;
import org.liquibase.xml.ns.dbchangelog.SequenceExistsType;
import org.liquibase.xml.ns.dbchangelog.SqlCheckType;
import org.liquibase.xml.ns.dbchangelog.TableExistsType;
import org.liquibase.xml.ns.dbchangelog.TableIsEmptyType;
import org.liquibase.xml.ns.dbchangelog.ViewExistsType;
/**
* <!-- begin-user-doc -->
* An implementation of the model object '<em><b>And Type</b></em>'.
* <!-- end-user-doc -->
* <p>
* The following features are implemented:
* </p>
* <ul>
* <li>{@link org.liquibase.xml.ns.dbchangelog.impl.AndTypeImpl#getGroup <em>Group</em>}</li>
* <li>{@link org.liquibase.xml.ns.dbchangelog.impl.AndTypeImpl#getAnd <em>And</em>}</li>
* <li>{@link org.liquibase.xml.ns.dbchangelog.impl.AndTypeImpl#getOr <em>Or</em>}</li>
* <li>{@link org.liquibase.xml.ns.dbchangelog.impl.AndTypeImpl#getNot <em>Not</em>}</li>
* <li>{@link org.liquibase.xml.ns.dbchangelog.impl.AndTypeImpl#getDbms <em>Dbms</em>}</li>
* <li>{@link org.liquibase.xml.ns.dbchangelog.impl.AndTypeImpl#getRunningAs <em>Running As</em>}</li>
* <li>{@link org.liquibase.xml.ns.dbchangelog.impl.AndTypeImpl#getChangeSetExecuted <em>Change Set Executed</em>}</li>
* <li>{@link org.liquibase.xml.ns.dbchangelog.impl.AndTypeImpl#getTableExists <em>Table Exists</em>}</li>
* <li>{@link org.liquibase.xml.ns.dbchangelog.impl.AndTypeImpl#getColumnExists <em>Column Exists</em>}</li>
* <li>{@link org.liquibase.xml.ns.dbchangelog.impl.AndTypeImpl#getSequenceExists <em>Sequence Exists</em>}</li>
* <li>{@link org.liquibase.xml.ns.dbchangelog.impl.AndTypeImpl#getForeignKeyConstraintExists <em>Foreign Key Constraint Exists</em>}</li>
* <li>{@link org.liquibase.xml.ns.dbchangelog.impl.AndTypeImpl#getIndexExists <em>Index Exists</em>}</li>
* <li>{@link org.liquibase.xml.ns.dbchangelog.impl.AndTypeImpl#getPrimaryKeyExists <em>Primary Key Exists</em>}</li>
* <li>{@link org.liquibase.xml.ns.dbchangelog.impl.AndTypeImpl#getViewExists <em>View Exists</em>}</li>
* <li>{@link org.liquibase.xml.ns.dbchangelog.impl.AndTypeImpl#getTableIsEmpty <em>Table Is Empty</em>}</li>
* <li>{@link org.liquibase.xml.ns.dbchangelog.impl.AndTypeImpl#getRowCount <em>Row Count</em>}</li>
* <li>{@link org.liquibase.xml.ns.dbchangelog.impl.AndTypeImpl#getSqlCheck <em>Sql Check</em>}</li>
* <li>{@link org.liquibase.xml.ns.dbchangelog.impl.AndTypeImpl#getChangeLogPropertyDefined <em>Change Log Property Defined</em>}</li>
* <li>{@link org.liquibase.xml.ns.dbchangelog.impl.AndTypeImpl#getExpectedQuotingStrategy <em>Expected Quoting Strategy</em>}</li>
* <li>{@link org.liquibase.xml.ns.dbchangelog.impl.AndTypeImpl#getCustomPrecondition <em>Custom Precondition</em>}</li>
* <li>{@link org.liquibase.xml.ns.dbchangelog.impl.AndTypeImpl#getAny <em>Any</em>}</li>
* </ul>
*
* @generated
*/
public class AndTypeImpl extends MinimalEObjectImpl.Container implements AndType {
/**
* The cached value of the '{@link #getGroup() <em>Group</em>}' attribute list.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @see #getGroup()
* @generated
* @ordered
*/
protected FeatureMap group;
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
protected AndTypeImpl() {
super();
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
@Override
protected EClass eStaticClass() {
return DbchangelogPackage.eINSTANCE.getAndType();
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public FeatureMap getGroup() {
if (group == null) {
group = new BasicFeatureMap(this, DbchangelogPackage.AND_TYPE__GROUP);
}
return group;
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public EList<AndType> getAnd() {
return getGroup().list(DbchangelogPackage.eINSTANCE.getAndType_And());
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public EList<OrType> getOr() {
return getGroup().list(DbchangelogPackage.eINSTANCE.getAndType_Or());
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public EList<NotType> getNot() {
return getGroup().list(DbchangelogPackage.eINSTANCE.getAndType_Not());
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public EList<DbmsType> getDbms() {
return getGroup().list(DbchangelogPackage.eINSTANCE.getAndType_Dbms());
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public EList<RunningAsType> getRunningAs() {
return getGroup().list(DbchangelogPackage.eINSTANCE.getAndType_RunningAs());
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public EList<ChangeSetExecutedType> getChangeSetExecuted() {
return getGroup().list(DbchangelogPackage.eINSTANCE.getAndType_ChangeSetExecuted());
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public EList<TableExistsType> getTableExists() {
return getGroup().list(DbchangelogPackage.eINSTANCE.getAndType_TableExists());
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public EList<ColumnExistsType> getColumnExists() {
return getGroup().list(DbchangelogPackage.eINSTANCE.getAndType_ColumnExists());
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public EList<SequenceExistsType> getSequenceExists() {
return getGroup().list(DbchangelogPackage.eINSTANCE.getAndType_SequenceExists());
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public EList<ForeignKeyConstraintExistsType> getForeignKeyConstraintExists() {
return getGroup().list(DbchangelogPackage.eINSTANCE.getAndType_ForeignKeyConstraintExists());
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public EList<IndexExistsType> getIndexExists() {
return getGroup().list(DbchangelogPackage.eINSTANCE.getAndType_IndexExists());
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public EList<PrimaryKeyExistsType> getPrimaryKeyExists() {
return getGroup().list(DbchangelogPackage.eINSTANCE.getAndType_PrimaryKeyExists());
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public EList<ViewExistsType> getViewExists() {
return getGroup().list(DbchangelogPackage.eINSTANCE.getAndType_ViewExists());
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public EList<TableIsEmptyType> getTableIsEmpty() {
return getGroup().list(DbchangelogPackage.eINSTANCE.getAndType_TableIsEmpty());
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public EList<RowCountType> getRowCount() {
return getGroup().list(DbchangelogPackage.eINSTANCE.getAndType_RowCount());
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public EList<SqlCheckType> getSqlCheck() {
return getGroup().list(DbchangelogPackage.eINSTANCE.getAndType_SqlCheck());
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public EList<ChangeLogPropertyDefinedType> getChangeLogPropertyDefined() {
return getGroup().list(DbchangelogPackage.eINSTANCE.getAndType_ChangeLogPropertyDefined());
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public EList<ExpectedQuotingStrategyType> getExpectedQuotingStrategy() {
return getGroup().list(DbchangelogPackage.eINSTANCE.getAndType_ExpectedQuotingStrategy());
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public EList<CustomPreconditionType> getCustomPrecondition() {
return getGroup().list(DbchangelogPackage.eINSTANCE.getAndType_CustomPrecondition());
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public FeatureMap getAny() {
return (FeatureMap)getGroup().<FeatureMap.Entry>list(DbchangelogPackage.eINSTANCE.getAndType_Any());
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
@Override
public NotificationChain eInverseRemove(InternalEObject otherEnd, int featureID, NotificationChain msgs) {
switch (featureID) {
case DbchangelogPackage.AND_TYPE__GROUP:
return ((InternalEList<?>)getGroup()).basicRemove(otherEnd, msgs);
case DbchangelogPackage.AND_TYPE__AND:
return ((InternalEList<?>)getAnd()).basicRemove(otherEnd, msgs);
case DbchangelogPackage.AND_TYPE__OR:
return ((InternalEList<?>)getOr()).basicRemove(otherEnd, msgs);
case DbchangelogPackage.AND_TYPE__NOT:
return ((InternalEList<?>)getNot()).basicRemove(otherEnd, msgs);
case DbchangelogPackage.AND_TYPE__DBMS:
return ((InternalEList<?>)getDbms()).basicRemove(otherEnd, msgs);
case DbchangelogPackage.AND_TYPE__RUNNING_AS:
return ((InternalEList<?>)getRunningAs()).basicRemove(otherEnd, msgs);
case DbchangelogPackage.AND_TYPE__CHANGE_SET_EXECUTED:
return ((InternalEList<?>)getChangeSetExecuted()).basicRemove(otherEnd, msgs);
case DbchangelogPackage.AND_TYPE__TABLE_EXISTS:
return ((InternalEList<?>)getTableExists()).basicRemove(otherEnd, msgs);
case DbchangelogPackage.AND_TYPE__COLUMN_EXISTS:
return ((InternalEList<?>)getColumnExists()).basicRemove(otherEnd, msgs);
case DbchangelogPackage.AND_TYPE__SEQUENCE_EXISTS:
return ((InternalEList<?>)getSequenceExists()).basicRemove(otherEnd, msgs);
case DbchangelogPackage.AND_TYPE__FOREIGN_KEY_CONSTRAINT_EXISTS:
return ((InternalEList<?>)getForeignKeyConstraintExists()).basicRemove(otherEnd, msgs);
case DbchangelogPackage.AND_TYPE__INDEX_EXISTS:
return ((InternalEList<?>)getIndexExists()).basicRemove(otherEnd, msgs);
case DbchangelogPackage.AND_TYPE__PRIMARY_KEY_EXISTS:
return ((InternalEList<?>)getPrimaryKeyExists()).basicRemove(otherEnd, msgs);
case DbchangelogPackage.AND_TYPE__VIEW_EXISTS:
return ((InternalEList<?>)getViewExists()).basicRemove(otherEnd, msgs);
case DbchangelogPackage.AND_TYPE__TABLE_IS_EMPTY:
return ((InternalEList<?>)getTableIsEmpty()).basicRemove(otherEnd, msgs);
case DbchangelogPackage.AND_TYPE__ROW_COUNT:
return ((InternalEList<?>)getRowCount()).basicRemove(otherEnd, msgs);
case DbchangelogPackage.AND_TYPE__SQL_CHECK:
return ((InternalEList<?>)getSqlCheck()).basicRemove(otherEnd, msgs);
case DbchangelogPackage.AND_TYPE__CHANGE_LOG_PROPERTY_DEFINED:
return ((InternalEList<?>)getChangeLogPropertyDefined()).basicRemove(otherEnd, msgs);
case DbchangelogPackage.AND_TYPE__EXPECTED_QUOTING_STRATEGY:
return ((InternalEList<?>)getExpectedQuotingStrategy()).basicRemove(otherEnd, msgs);
case DbchangelogPackage.AND_TYPE__CUSTOM_PRECONDITION:
return ((InternalEList<?>)getCustomPrecondition()).basicRemove(otherEnd, msgs);
case DbchangelogPackage.AND_TYPE__ANY:
return ((InternalEList<?>)getAny()).basicRemove(otherEnd, msgs);
}
return super.eInverseRemove(otherEnd, featureID, msgs);
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
@Override
public Object eGet(int featureID, boolean resolve, boolean coreType) {
switch (featureID) {
case DbchangelogPackage.AND_TYPE__GROUP:
if (coreType) return getGroup();
return ((FeatureMap.Internal)getGroup()).getWrapper();
case DbchangelogPackage.AND_TYPE__AND:
return getAnd();
case DbchangelogPackage.AND_TYPE__OR:
return getOr();
case DbchangelogPackage.AND_TYPE__NOT:
return getNot();
case DbchangelogPackage.AND_TYPE__DBMS:
return getDbms();
case DbchangelogPackage.AND_TYPE__RUNNING_AS:
return getRunningAs();
case DbchangelogPackage.AND_TYPE__CHANGE_SET_EXECUTED:
return getChangeSetExecuted();
case DbchangelogPackage.AND_TYPE__TABLE_EXISTS:
return getTableExists();
case DbchangelogPackage.AND_TYPE__COLUMN_EXISTS:
return getColumnExists();
case DbchangelogPackage.AND_TYPE__SEQUENCE_EXISTS:
return getSequenceExists();
case DbchangelogPackage.AND_TYPE__FOREIGN_KEY_CONSTRAINT_EXISTS:
return getForeignKeyConstraintExists();
case DbchangelogPackage.AND_TYPE__INDEX_EXISTS:
return getIndexExists();
case DbchangelogPackage.AND_TYPE__PRIMARY_KEY_EXISTS:
return getPrimaryKeyExists();
case DbchangelogPackage.AND_TYPE__VIEW_EXISTS:
return getViewExists();
case DbchangelogPackage.AND_TYPE__TABLE_IS_EMPTY:
return getTableIsEmpty();
case DbchangelogPackage.AND_TYPE__ROW_COUNT:
return getRowCount();
case DbchangelogPackage.AND_TYPE__SQL_CHECK:
return getSqlCheck();
case DbchangelogPackage.AND_TYPE__CHANGE_LOG_PROPERTY_DEFINED:
return getChangeLogPropertyDefined();
case DbchangelogPackage.AND_TYPE__EXPECTED_QUOTING_STRATEGY:
return getExpectedQuotingStrategy();
case DbchangelogPackage.AND_TYPE__CUSTOM_PRECONDITION:
return getCustomPrecondition();
case DbchangelogPackage.AND_TYPE__ANY:
if (coreType) return getAny();
return ((FeatureMap.Internal)getAny()).getWrapper();
}
return super.eGet(featureID, resolve, coreType);
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
@SuppressWarnings("unchecked")
@Override
public void eSet(int featureID, Object newValue) {
switch (featureID) {
case DbchangelogPackage.AND_TYPE__GROUP:
((FeatureMap.Internal)getGroup()).set(newValue);
return;
case DbchangelogPackage.AND_TYPE__AND:
getAnd().clear();
getAnd().addAll((Collection<? extends AndType>)newValue);
return;
case DbchangelogPackage.AND_TYPE__OR:
getOr().clear();
getOr().addAll((Collection<? extends OrType>)newValue);
return;
case DbchangelogPackage.AND_TYPE__NOT:
getNot().clear();
getNot().addAll((Collection<? extends NotType>)newValue);
return;
case DbchangelogPackage.AND_TYPE__DBMS:
getDbms().clear();
getDbms().addAll((Collection<? extends DbmsType>)newValue);
return;
case DbchangelogPackage.AND_TYPE__RUNNING_AS:
getRunningAs().clear();
getRunningAs().addAll((Collection<? extends RunningAsType>)newValue);
return;
case DbchangelogPackage.AND_TYPE__CHANGE_SET_EXECUTED:
getChangeSetExecuted().clear();
getChangeSetExecuted().addAll((Collection<? extends ChangeSetExecutedType>)newValue);
return;
case DbchangelogPackage.AND_TYPE__TABLE_EXISTS:
getTableExists().clear();
getTableExists().addAll((Collection<? extends TableExistsType>)newValue);
return;
case DbchangelogPackage.AND_TYPE__COLUMN_EXISTS:
getColumnExists().clear();
getColumnExists().addAll((Collection<? extends ColumnExistsType>)newValue);
return;
case DbchangelogPackage.AND_TYPE__SEQUENCE_EXISTS:
getSequenceExists().clear();
getSequenceExists().addAll((Collection<? extends SequenceExistsType>)newValue);
return;
case DbchangelogPackage.AND_TYPE__FOREIGN_KEY_CONSTRAINT_EXISTS:
getForeignKeyConstraintExists().clear();
getForeignKeyConstraintExists().addAll((Collection<? extends ForeignKeyConstraintExistsType>)newValue);
return;
case DbchangelogPackage.AND_TYPE__INDEX_EXISTS:
getIndexExists().clear();
getIndexExists().addAll((Collection<? extends IndexExistsType>)newValue);
return;
case DbchangelogPackage.AND_TYPE__PRIMARY_KEY_EXISTS:
getPrimaryKeyExists().clear();
getPrimaryKeyExists().addAll((Collection<? extends PrimaryKeyExistsType>)newValue);
return;
case DbchangelogPackage.AND_TYPE__VIEW_EXISTS:
getViewExists().clear();
getViewExists().addAll((Collection<? extends ViewExistsType>)newValue);
return;
case DbchangelogPackage.AND_TYPE__TABLE_IS_EMPTY:
getTableIsEmpty().clear();
getTableIsEmpty().addAll((Collection<? extends TableIsEmptyType>)newValue);
return;
case DbchangelogPackage.AND_TYPE__ROW_COUNT:
getRowCount().clear();
getRowCount().addAll((Collection<? extends RowCountType>)newValue);
return;
case DbchangelogPackage.AND_TYPE__SQL_CHECK:
getSqlCheck().clear();
getSqlCheck().addAll((Collection<? extends SqlCheckType>)newValue);
return;
case DbchangelogPackage.AND_TYPE__CHANGE_LOG_PROPERTY_DEFINED:
getChangeLogPropertyDefined().clear();
getChangeLogPropertyDefined().addAll((Collection<? extends ChangeLogPropertyDefinedType>)newValue);
return;
case DbchangelogPackage.AND_TYPE__EXPECTED_QUOTING_STRATEGY:
getExpectedQuotingStrategy().clear();
getExpectedQuotingStrategy().addAll((Collection<? extends ExpectedQuotingStrategyType>)newValue);
return;
case DbchangelogPackage.AND_TYPE__CUSTOM_PRECONDITION:
getCustomPrecondition().clear();
getCustomPrecondition().addAll((Collection<? extends CustomPreconditionType>)newValue);
return;
case DbchangelogPackage.AND_TYPE__ANY:
((FeatureMap.Internal)getAny()).set(newValue);
return;
}
super.eSet(featureID, newValue);
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
@Override
public void eUnset(int featureID) {
switch (featureID) {
case DbchangelogPackage.AND_TYPE__GROUP:
getGroup().clear();
return;
case DbchangelogPackage.AND_TYPE__AND:
getAnd().clear();
return;
case DbchangelogPackage.AND_TYPE__OR:
getOr().clear();
return;
case DbchangelogPackage.AND_TYPE__NOT:
getNot().clear();
return;
case DbchangelogPackage.AND_TYPE__DBMS:
getDbms().clear();
return;
case DbchangelogPackage.AND_TYPE__RUNNING_AS:
getRunningAs().clear();
return;
case DbchangelogPackage.AND_TYPE__CHANGE_SET_EXECUTED:
getChangeSetExecuted().clear();
return;
case DbchangelogPackage.AND_TYPE__TABLE_EXISTS:
getTableExists().clear();
return;
case DbchangelogPackage.AND_TYPE__COLUMN_EXISTS:
getColumnExists().clear();
return;
case DbchangelogPackage.AND_TYPE__SEQUENCE_EXISTS:
getSequenceExists().clear();
return;
case DbchangelogPackage.AND_TYPE__FOREIGN_KEY_CONSTRAINT_EXISTS:
getForeignKeyConstraintExists().clear();
return;
case DbchangelogPackage.AND_TYPE__INDEX_EXISTS:
getIndexExists().clear();
return;
case DbchangelogPackage.AND_TYPE__PRIMARY_KEY_EXISTS:
getPrimaryKeyExists().clear();
return;
case DbchangelogPackage.AND_TYPE__VIEW_EXISTS:
getViewExists().clear();
return;
case DbchangelogPackage.AND_TYPE__TABLE_IS_EMPTY:
getTableIsEmpty().clear();
return;
case DbchangelogPackage.AND_TYPE__ROW_COUNT:
getRowCount().clear();
return;
case DbchangelogPackage.AND_TYPE__SQL_CHECK:
getSqlCheck().clear();
return;
case DbchangelogPackage.AND_TYPE__CHANGE_LOG_PROPERTY_DEFINED:
getChangeLogPropertyDefined().clear();
return;
case DbchangelogPackage.AND_TYPE__EXPECTED_QUOTING_STRATEGY:
getExpectedQuotingStrategy().clear();
return;
case DbchangelogPackage.AND_TYPE__CUSTOM_PRECONDITION:
getCustomPrecondition().clear();
return;
case DbchangelogPackage.AND_TYPE__ANY:
getAny().clear();
return;
}
super.eUnset(featureID);
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
@Override
public boolean eIsSet(int featureID) {
switch (featureID) {
case DbchangelogPackage.AND_TYPE__GROUP:
return group != null && !group.isEmpty();
case DbchangelogPackage.AND_TYPE__AND:
return !getAnd().isEmpty();
case DbchangelogPackage.AND_TYPE__OR:
return !getOr().isEmpty();
case DbchangelogPackage.AND_TYPE__NOT:
return !getNot().isEmpty();
case DbchangelogPackage.AND_TYPE__DBMS:
return !getDbms().isEmpty();
case DbchangelogPackage.AND_TYPE__RUNNING_AS:
return !getRunningAs().isEmpty();
case DbchangelogPackage.AND_TYPE__CHANGE_SET_EXECUTED:
return !getChangeSetExecuted().isEmpty();
case DbchangelogPackage.AND_TYPE__TABLE_EXISTS:
return !getTableExists().isEmpty();
case DbchangelogPackage.AND_TYPE__COLUMN_EXISTS:
return !getColumnExists().isEmpty();
case DbchangelogPackage.AND_TYPE__SEQUENCE_EXISTS:
return !getSequenceExists().isEmpty();
case DbchangelogPackage.AND_TYPE__FOREIGN_KEY_CONSTRAINT_EXISTS:
return !getForeignKeyConstraintExists().isEmpty();
case DbchangelogPackage.AND_TYPE__INDEX_EXISTS:
return !getIndexExists().isEmpty();
case DbchangelogPackage.AND_TYPE__PRIMARY_KEY_EXISTS:
return !getPrimaryKeyExists().isEmpty();
case DbchangelogPackage.AND_TYPE__VIEW_EXISTS:
return !getViewExists().isEmpty();
case DbchangelogPackage.AND_TYPE__TABLE_IS_EMPTY:
return !getTableIsEmpty().isEmpty();
case DbchangelogPackage.AND_TYPE__ROW_COUNT:
return !getRowCount().isEmpty();
case DbchangelogPackage.AND_TYPE__SQL_CHECK:
return !getSqlCheck().isEmpty();
case DbchangelogPackage.AND_TYPE__CHANGE_LOG_PROPERTY_DEFINED:
return !getChangeLogPropertyDefined().isEmpty();
case DbchangelogPackage.AND_TYPE__EXPECTED_QUOTING_STRATEGY:
return !getExpectedQuotingStrategy().isEmpty();
case DbchangelogPackage.AND_TYPE__CUSTOM_PRECONDITION:
return !getCustomPrecondition().isEmpty();
case DbchangelogPackage.AND_TYPE__ANY:
return !getAny().isEmpty();
}
return super.eIsSet(featureID);
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
@Override
public String toString() {
if (eIsProxy()) return super.toString();
StringBuilder result = new StringBuilder(super.toString());
result.append(" (group: ");
result.append(group);
result.append(')');
return result.toString();
}
} //AndTypeImpl
| Java |
<?xml version='1.0' encoding='utf-8'?>
<!DOCTYPE html
PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html lang="en-us" xml:lang="en-us">
<head>
<meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
<meta name="copyright" content="(C) Copyright 2010" />
<meta name="DC.rights.owner" content="(C) Copyright 2010" />
<meta name="DC.Type" content="cxxStruct" />
<meta name="DC.Title" content="TAlfLCTTextVisualSetTextPaneParams" />
<meta name="DC.Format" content="XHTML" />
<meta name="DC.Identifier" content="GUID-D60576CC-F39F-396B-8DF9-874FDA1D6D4B" />
<title>
TAlfLCTTextVisualSetTextPaneParams
</title>
<link type="text/css" rel="stylesheet" href="css/common.css" media="screen"/>
<link type="text/css" rel="stylesheet" href="css/sdl.css" media="screen"/>
<!--[if IE]>
<link href="css/iefix.css" rel="stylesheet" type="text/css" media="screen" />
<![endif]-->
<meta name="keywords" content="api" />
<link rel="stylesheet" type="text/css" href="cxxref.css" />
</head>
<body class="cxxref" id="GUID-D60576CC-F39F-396B-8DF9-874FDA1D6D4B">
<a name="GUID-D60576CC-F39F-396B-8DF9-874FDA1D6D4B">
<!-- -->
</a>
<?php include_once (CURRENT_SKIN_PATH.'/sdl_header.html'); ?>
<div id="sdl_container">
<div id="leftMenu">
<div id="expandcontractdiv">
<a id="collapseTree" href="javascript:tree.collapseAll()">
Collapse all
</a>
<a id="index" href="index.html">
Symbian^3 Application Developer Library
</a>
</div>
<iframe style="border:none" height="800" width="300" src="index-toc.html"></iframe>
<div id="treeDiv1">
 
</div>
<script type="text/javascript">
var currentIconMode = 0; window.name="id2518338 id2518347 id2420140 id1202403 id1202408 id2862547 ";
YAHOO.util.Event.onDOMReady(buildTree, this,true);
</script>
</div>
<div id="sdl_content">
<div class="breadcrumb">
<a href="index.html" title="Symbian^3 Application Developer Library">
Symbian^3 Application Developer Library
</a>
>
</div>
<h1 class="topictitle1">
TAlfLCTTextVisualSetTextPaneParams Struct Reference
</h1>
<table class="signature">
<tr>
<td>
struct TAlfLCTTextVisualSetTextPaneParams
</td>
</tr>
</table>
<div class="section">
</div>
<div class="section member-index">
<table border="0" class="member-index">
<thead>
<tr>
<th colspan="2">
Public Attributes
</th>
</tr>
</thead>
<tbody>
<tr>
<td align="right" valign="top">
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
<a href="#GUID-4048A6EC-B36B-38DB-BB31-FD15302523FB">
iApiId
</a>
</td>
</tr>
<tr class="bg">
<td align="right" valign="top">
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
<a href="#GUID-FF57C2A4-65C4-3E3C-B1D6-BAEBB914B9DF">
iColumn
</a>
</td>
</tr>
<tr>
<td align="right" valign="top">
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
<a href="#GUID-C1191D36-4D38-3380-A875-B04D454682A1">
iComponentId
</a>
</td>
</tr>
<tr class="bg">
<td align="right" valign="top">
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
<a href="#GUID-C834C43E-4E1F-3203-8B1C-E6176D2D382F">
iDrawingOrderIndex
</a>
</td>
</tr>
<tr>
<td align="right" valign="top">
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
<a href="#GUID-16EC4B79-3E60-314E-9777-DC3A2DD6C053">
iOptionIndex
</a>
</td>
</tr>
<tr class="bg">
<td align="right" valign="top">
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
<a href="#GUID-D1672301-A371-30BD-A38F-D2EF57D9467C">
iRow
</a>
</td>
</tr>
<tr>
<td align="right" valign="top">
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
<a href="#GUID-5A1D391B-D4B1-3E73-BC38-74A8EEEC030F">
iVarietyIndex
</a>
</td>
</tr>
</tbody>
</table>
</div>
<h1 class="pageHeading topictitle1">
Member Data Documentation
</h1>
<div class="nested1" id="GUID-4048A6EC-B36B-38DB-BB31-FD15302523FB">
<a name="GUID-4048A6EC-B36B-38DB-BB31-FD15302523FB">
<!-- -->
</a>
<h2 class="topictitle2">
TInt
iApiId
</h2>
<table class="signature">
<tr>
<td>
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
iApiId
</td>
</tr>
</table>
<div class="section">
</div>
</div>
<div class="nested1" id="GUID-FF57C2A4-65C4-3E3C-B1D6-BAEBB914B9DF">
<a name="GUID-FF57C2A4-65C4-3E3C-B1D6-BAEBB914B9DF">
<!-- -->
</a>
<h2 class="topictitle2">
TInt
iColumn
</h2>
<table class="signature">
<tr>
<td>
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
iColumn
</td>
</tr>
</table>
<div class="section">
</div>
</div>
<div class="nested1" id="GUID-C1191D36-4D38-3380-A875-B04D454682A1">
<a name="GUID-C1191D36-4D38-3380-A875-B04D454682A1">
<!-- -->
</a>
<h2 class="topictitle2">
TInt
iComponentId
</h2>
<table class="signature">
<tr>
<td>
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
iComponentId
</td>
</tr>
</table>
<div class="section">
</div>
</div>
<div class="nested1" id="GUID-C834C43E-4E1F-3203-8B1C-E6176D2D382F">
<a name="GUID-C834C43E-4E1F-3203-8B1C-E6176D2D382F">
<!-- -->
</a>
<h2 class="topictitle2">
TInt
iDrawingOrderIndex
</h2>
<table class="signature">
<tr>
<td>
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
iDrawingOrderIndex
</td>
</tr>
</table>
<div class="section">
</div>
</div>
<div class="nested1" id="GUID-16EC4B79-3E60-314E-9777-DC3A2DD6C053">
<a name="GUID-16EC4B79-3E60-314E-9777-DC3A2DD6C053">
<!-- -->
</a>
<h2 class="topictitle2">
TInt
iOptionIndex
</h2>
<table class="signature">
<tr>
<td>
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
iOptionIndex
</td>
</tr>
</table>
<div class="section">
</div>
</div>
<div class="nested1" id="GUID-D1672301-A371-30BD-A38F-D2EF57D9467C">
<a name="GUID-D1672301-A371-30BD-A38F-D2EF57D9467C">
<!-- -->
</a>
<h2 class="topictitle2">
TInt
iRow
</h2>
<table class="signature">
<tr>
<td>
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
iRow
</td>
</tr>
</table>
<div class="section">
</div>
</div>
<div class="nested1" id="GUID-5A1D391B-D4B1-3E73-BC38-74A8EEEC030F">
<a name="GUID-5A1D391B-D4B1-3E73-BC38-74A8EEEC030F">
<!-- -->
</a>
<h2 class="topictitle2">
TInt
iVarietyIndex
</h2>
<table class="signature">
<tr>
<td>
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
iVarietyIndex
</td>
</tr>
</table>
<div class="section">
</div>
</div>
<p class="copyright">Copyright ©2010 Nokia Corporation and/or its subsidiary(-ies).<br /> All rights
reserved. Unless otherwise stated, these materials are provided under the terms of the <a href=" http://www.eclipse.org/legal/epl-v10.html"> Eclipse Public License
v1.0</a>.</p>
</div>
</div>
<?php include_once (CURRENT_SKIN_PATH.'/sdl_footer.html'); ?>
</body>
</html> | Java |
/*******************************************************************************
* Copyright (c) 1998, 2012 Oracle and/or its affiliates. All rights reserved.
* This program and the accompanying materials are made available under the
* terms of the Eclipse Public License v1.0 and Eclipse Distribution License v. 1.0
* which accompanies this distribution.
* The Eclipse Public License is available at http://www.eclipse.org/legal/epl-v10.html
* and the Eclipse Distribution License is available at
* http://www.eclipse.org/org/documents/edl-v10.php.
*
* Contributors:
* Denise Smith - 2.4 - February 11, 2013
******************************************************************************/
package org.eclipse.persistence.testing.jaxb.xmlattribute.imports;
import java.io.InputStream;
import java.util.ArrayList;
import java.util.List;
import org.eclipse.persistence.testing.jaxb.JAXBWithJSONTestCases;
import org.eclipse.persistence.testing.jaxb.xmlattribute.imports2.IdentifierType;
public class XmlAttributeImportsTestCases extends JAXBWithJSONTestCases {
private final static String XML_RESOURCE = "org/eclipse/persistence/testing/jaxb/xmlattribute/imports.xml";
private final static String JSON_RESOURCE = "org/eclipse/persistence/testing/jaxb/xmlattribute/imports.json";
private final static String XSD_RESOURCE = "org/eclipse/persistence/testing/jaxb/xmlattribute/imports.xsd";
private final static String XSD_RESOURCE2 = "org/eclipse/persistence/testing/jaxb/xmlattribute/imports2.xsd";
public XmlAttributeImportsTestCases(String name) throws Exception {
super(name);
setControlDocument(XML_RESOURCE);
setControlJSON(JSON_RESOURCE);
setClasses(new Class[]{Person.class});
}
protected Object getControlObject() {
Person obj = new Person();
obj.name = "theName";
obj.setId(IdentifierType.thirdThing);
return obj;
}
public void testSchemaGen() throws Exception{
List<InputStream> controlSchemas = new ArrayList<InputStream>();
InputStream is = Thread.currentThread().getContextClassLoader().getResourceAsStream(XSD_RESOURCE);
InputStream is2 = Thread.currentThread().getContextClassLoader().getResourceAsStream(XSD_RESOURCE2);
controlSchemas.add(is);
controlSchemas.add(is2);
super.testSchemaGen(controlSchemas);
}
}
| Java |
/**
* Copyright 2009-2016 Université Paris Ouest and Sorbonne Universités,
Univ. Paris 06 - CNRS UMR 7606 (LIP6)
*
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*
* Project leader / Initial Contributor:
* Lom Messan Hillah - <lom-messan.hillah@lip6.fr>
*
* Contributors:
* ${ocontributors} - <$oemails}>
*
* Mailing list:
* lom-messan.hillah@lip6.fr
*/
/**
* (C) Sorbonne Universités, UPMC Univ Paris 06, UMR CNRS 7606 (LIP6)
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*
* Contributors:
* Lom HILLAH (LIP6) - Initial models and implementation
* Rachid Alahyane (UPMC) - Infrastructure and continuous integration
* Bastien Bouzerau (UPMC) - Architecture
* Guillaume Giffo (UPMC) - Code generation refactoring, High-level API
*
* $Id ggiffo, Wed Feb 10 15:00:49 CET 2016$
*/
package fr.lip6.move.pnml.ptnet.hlapi;
import java.nio.channels.FileChannel;
import java.util.ArrayList;
import java.util.List;
import org.apache.axiom.om.OMElement;
import org.eclipse.emf.common.util.DiagnosticChain;
import fr.lip6.move.pnml.framework.hlapi.HLAPIClass;
import fr.lip6.move.pnml.framework.utils.IdRefLinker;
import fr.lip6.move.pnml.framework.utils.ModelRepository;
import fr.lip6.move.pnml.framework.utils.exception.InnerBuildException;
import fr.lip6.move.pnml.framework.utils.exception.InvalidIDException;
import fr.lip6.move.pnml.framework.utils.exception.OtherException;
import fr.lip6.move.pnml.framework.utils.exception.VoidRepositoryException;
import fr.lip6.move.pnml.ptnet.Arc;
import fr.lip6.move.pnml.ptnet.Name;
import fr.lip6.move.pnml.ptnet.NodeGraphics;
import fr.lip6.move.pnml.ptnet.Page;
import fr.lip6.move.pnml.ptnet.PtnetFactory;
import fr.lip6.move.pnml.ptnet.RefTransition;
import fr.lip6.move.pnml.ptnet.ToolInfo;
import fr.lip6.move.pnml.ptnet.Transition;
import fr.lip6.move.pnml.ptnet.impl.PtnetFactoryImpl;
public class TransitionHLAPI implements HLAPIClass,PnObjectHLAPI,NodeHLAPI,TransitionNodeHLAPI{
/**
* The contained LLAPI element.
*/
private Transition item;
/**
* this constructor allows you to set all 'settable' values
* excepted container.
*/
public TransitionHLAPI(
java.lang.String id
, NameHLAPI name
, NodeGraphicsHLAPI nodegraphics
) throws InvalidIDException ,VoidRepositoryException {//BEGIN CONSTRUCTOR BODY
PtnetFactory fact = PtnetFactoryImpl.eINSTANCE;
synchronized(fact){item = fact.createTransition();}
if(id!=null){
item.setId(ModelRepository.getInstance().getCurrentIdRepository().checkId(id, this));
}
if(name!=null)
item.setName((Name)name.getContainedItem());
if(nodegraphics!=null)
item.setNodegraphics((NodeGraphics)nodegraphics.getContainedItem());
}
/**
* this constructor allows you to set all 'settable' values, including container if any.
*/
public TransitionHLAPI(
java.lang.String id
, NameHLAPI name
, NodeGraphicsHLAPI nodegraphics
, PageHLAPI containerPage
) throws InvalidIDException ,VoidRepositoryException {//BEGIN CONSTRUCTOR BODY
PtnetFactory fact = PtnetFactoryImpl.eINSTANCE;
synchronized(fact){item = fact.createTransition();}
if(id!=null){
item.setId(ModelRepository.getInstance().getCurrentIdRepository().checkId(id, this));
}
if(name!=null)
item.setName((Name)name.getContainedItem());
if(nodegraphics!=null)
item.setNodegraphics((NodeGraphics)nodegraphics.getContainedItem());
if(containerPage!=null)
item.setContainerPage((Page)containerPage.getContainedItem());
}
/**
* This constructor give access to required stuff only (not container if any)
*/
public TransitionHLAPI(
java.lang.String id
) throws InvalidIDException ,VoidRepositoryException {//BEGIN CONSTRUCTOR BODY
PtnetFactory fact = PtnetFactoryImpl.eINSTANCE;
synchronized(fact){item = fact.createTransition();}
if(id!=null){
item.setId(ModelRepository.getInstance().getCurrentIdRepository().checkId(id, this));
}
}
/**
* This constructor give access to required stuff only (and container)
*/
public TransitionHLAPI(
java.lang.String id
, PageHLAPI containerPage
) throws InvalidIDException ,VoidRepositoryException {//BEGIN CONSTRUCTOR BODY
PtnetFactory fact = PtnetFactoryImpl.eINSTANCE;
synchronized(fact){item = fact.createTransition();}
if(id!=null){
item.setId(ModelRepository.getInstance().getCurrentIdRepository().checkId(id, this));
}
if(containerPage!=null)
item.setContainerPage((Page)containerPage.getContainedItem());
}
/**
* This constructor encapsulate a low level API object in HLAPI.
*/
public TransitionHLAPI(Transition lowLevelAPI){
item = lowLevelAPI;
}
// access to low level API
/**
* Return encapsulated object
*/
public Transition getContainedItem(){
return item;
}
//getters giving LLAPI object
/**
* Return the encapsulate Low Level API object.
*/
public String getId(){
return item.getId();
}
/**
* Return the encapsulate Low Level API object.
*/
public Name getName(){
return item.getName();
}
/**
* Return the encapsulate Low Level API object.
*/
public List<ToolInfo> getToolspecifics(){
return item.getToolspecifics();
}
/**
* Return the encapsulate Low Level API object.
*/
public Page getContainerPage(){
return item.getContainerPage();
}
/**
* Return the encapsulate Low Level API object.
*/
public List<Arc> getInArcs(){
return item.getInArcs();
}
/**
* Return the encapsulate Low Level API object.
*/
public List<Arc> getOutArcs(){
return item.getOutArcs();
}
/**
* Return the encapsulate Low Level API object.
*/
public NodeGraphics getNodegraphics(){
return item.getNodegraphics();
}
/**
* Return the encapsulate Low Level API object.
*/
public List<RefTransition> getReferencingTransitions(){
return item.getReferencingTransitions();
}
//getters giving HLAPI object
/**
* This accessor automatically encapsulate an element of the current object.
* WARNING : this creates a new object in memory.
* @return : null if the element is null
*/
public NameHLAPI getNameHLAPI(){
if(item.getName() == null) return null;
return new NameHLAPI(item.getName());
}
/**
* This accessor automatically encapsulate all elements of the selected sublist.
* WARNING : this can creates a lot of new object in memory.
*/
public java.util.List<ToolInfoHLAPI> getToolspecificsHLAPI(){
java.util.List<ToolInfoHLAPI> retour = new ArrayList<ToolInfoHLAPI>();
for (ToolInfo elemnt : getToolspecifics()) {
retour.add(new ToolInfoHLAPI(elemnt));
}
return retour;
}
/**
* This accessor automatically encapsulate an element of the current object.
* WARNING : this creates a new object in memory.
* @return : null if the element is null
*/
public PageHLAPI getContainerPageHLAPI(){
if(item.getContainerPage() == null) return null;
return new PageHLAPI(item.getContainerPage());
}
/**
* This accessor automatically encapsulate all elements of the selected sublist.
* WARNING : this can creates a lot of new object in memory.
*/
public java.util.List<ArcHLAPI> getInArcsHLAPI(){
java.util.List<ArcHLAPI> retour = new ArrayList<ArcHLAPI>();
for (Arc elemnt : getInArcs()) {
retour.add(new ArcHLAPI(elemnt));
}
return retour;
}
/**
* This accessor automatically encapsulate all elements of the selected sublist.
* WARNING : this can creates a lot of new object in memory.
*/
public java.util.List<ArcHLAPI> getOutArcsHLAPI(){
java.util.List<ArcHLAPI> retour = new ArrayList<ArcHLAPI>();
for (Arc elemnt : getOutArcs()) {
retour.add(new ArcHLAPI(elemnt));
}
return retour;
}
/**
* This accessor automatically encapsulate an element of the current object.
* WARNING : this creates a new object in memory.
* @return : null if the element is null
*/
public NodeGraphicsHLAPI getNodegraphicsHLAPI(){
if(item.getNodegraphics() == null) return null;
return new NodeGraphicsHLAPI(item.getNodegraphics());
}
/**
* This accessor automatically encapsulate all elements of the selected sublist.
* WARNING : this can creates a lot of new object in memory.
*/
public java.util.List<RefTransitionHLAPI> getReferencingTransitionsHLAPI(){
java.util.List<RefTransitionHLAPI> retour = new ArrayList<RefTransitionHLAPI>();
for (RefTransition elemnt : getReferencingTransitions()) {
retour.add(new RefTransitionHLAPI(elemnt));
}
return retour;
}
//Special getter for list of generics object, return only one object type.
//setters (including container setter if aviable)
/**
* set Id
*/
public void setIdHLAPI(
java.lang.String elem) throws InvalidIDException ,VoidRepositoryException {
if(elem!=null){
try{
item.setId(ModelRepository.getInstance().getCurrentIdRepository().changeId(this, elem));
}catch (OtherException e){
ModelRepository.getInstance().getCurrentIdRepository().checkId(elem, this);
}
}
}
/**
* set Name
*/
public void setNameHLAPI(
NameHLAPI elem){
if(elem!=null)
item.setName((Name)elem.getContainedItem());
}
/**
* set Nodegraphics
*/
public void setNodegraphicsHLAPI(
NodeGraphicsHLAPI elem){
if(elem!=null)
item.setNodegraphics((NodeGraphics)elem.getContainedItem());
}
/**
* set ContainerPage
*/
public void setContainerPageHLAPI(
PageHLAPI elem){
if(elem!=null)
item.setContainerPage((Page)elem.getContainedItem());
}
//setters/remover for lists.
public void addToolspecificsHLAPI(ToolInfoHLAPI unit){
item.getToolspecifics().add((ToolInfo)unit.getContainedItem());
}
public void removeToolspecificsHLAPI(ToolInfoHLAPI unit){
item.getToolspecifics().remove((ToolInfo)unit.getContainedItem());
}
//equals method
public boolean equals(TransitionHLAPI item){
return item.getContainedItem().equals(getContainedItem());
}
//PNML
/**
* Returns the PNML xml tree for this object.
*/
public String toPNML(){
return item.toPNML();
}
/**
* Writes the PNML XML tree of this object into file channel.
*/
public void toPNML(FileChannel fc){
item.toPNML(fc);
}
/**
* creates an object from the xml nodes.(symetric work of toPNML)
*/
public void fromPNML(OMElement subRoot,IdRefLinker idr) throws InnerBuildException, InvalidIDException, VoidRepositoryException{
item.fromPNML(subRoot,idr);
}
public boolean validateOCL(DiagnosticChain diagnostics){
return item.validateOCL(diagnostics);
}
} | Java |
/*******************************************************************************
* Copyright (c) 1998, 2013 Oracle and/or its affiliates, Frank Schwarz. All rights reserved.
* This program and the accompanying materials are made available under the
* terms of the Eclipse Public License v1.0 and Eclipse Distribution License v. 1.0
* which accompanies this distribution.
* The Eclipse Public License is available at http://www.eclipse.org/legal/epl-v10.html
* and the Eclipse Distribution License is available at
* http://www.eclipse.org/org/documents/edl-v10.php.
*
* Contributors:
* Oracle - initial API and implementation from Oracle TopLink
* 08/20/2008-1.0.1 Nathan Beyer (Cerner)
* - 241308: Primary key is incorrectly assigned to embeddable class
* field with the same name as the primary key field's name
* 01/12/2009-1.1 Daniel Lo, Tom Ware, Guy Pelletier
* - 247041: Null element inserted in the ArrayList
* 07/17/2009 - tware - added tests for DDL generation of maps
* 01/22/2010-2.0.1 Guy Pelletier
* - 294361: incorrect generated table for element collection attribute overrides
* 06/14/2010-2.2 Guy Pelletier
* - 264417: Table generation is incorrect for JoinTables in AssociationOverrides
* 09/15/2010-2.2 Chris Delahunt
* - 322233 - AttributeOverrides and AssociationOverride dont change field type info
* 11/17/2010-2.2.0 Chris Delahunt
* - 214519: Allow appending strings to CREATE TABLE statements
* 11/23/2010-2.2 Frank Schwarz
* - 328774: TABLE_PER_CLASS-mapped key of a java.util.Map does not work for querying
* 01/04/2011-2.3 Guy Pelletier
* - 330628: @PrimaryKeyJoinColumn(...) is not working equivalently to @JoinColumn(..., insertable = false, updatable = false)
* 01/06/2011-2.3 Guy Pelletier
* - 312244: can't map optional one-to-one relationship using @PrimaryKeyJoinColumn
* 01/11/2011-2.3 Guy Pelletier
* - 277079: EmbeddedId's fields are null when using LOB with fetchtype LAZY
******************************************************************************/
package org.eclipse.persistence.testing.tests.jpa.ddlgeneration;
import junit.framework.Test;
import junit.framework.TestSuite;
import org.eclipse.persistence.testing.framework.junit.JUnitTestCase;
import javax.persistence.EntityManager;
/**
* JUnit test case(s) for DDL generation.
*/
public class DDLTablePerClassTestSuite extends DDLGenerationJUnitTestSuite {
// This is the persistence unit name on server as for persistence unit name "ddlTablePerClass" in J2SE
private static final String DDL_TPC_PU = "MulitPU-2";
public DDLTablePerClassTestSuite() {
super();
}
public DDLTablePerClassTestSuite(String name) {
super(name);
setPuName(DDL_TPC_PU);
}
public static Test suite() {
TestSuite suite = new TestSuite();
suite.setName("DDLTablePerClassTestSuite");
suite.addTest(new DDLTablePerClassTestSuite("testSetup"));
suite.addTest(new DDLTablePerClassTestSuite("testDDLTablePerClassModel"));
suite.addTest(new DDLTablePerClassTestSuite("testDDLTablePerClassModelQuery"));
if (! JUnitTestCase.isJPA10()) {
suite.addTest(new DDLTablePerClassTestSuite("testTPCMappedKeyMapQuery"));
}
return suite;
}
/**
* The setup is done as a test, both to record its failure, and to allow execution in the server.
*/
public void testSetup() {
// Trigger DDL generation
EntityManager emDDLTPC = createEntityManager("MulitPU-2");
closeEntityManager(emDDLTPC);
clearCache(DDL_TPC_PU);
}
public static void main(String[] args) {
junit.textui.TestRunner.run(suite());
}
}
| Java |
/*!
* froala_editor v1.2.7 (http://editor.froala.com)
* License http://editor.froala.com/license
* Copyright 2014-2015 Froala Labs
*/
.dark-theme.froala-box.fr-disabled .froala-element {
color: #999999;
}
.dark-theme.froala-box.fr-disabled button.fr-bttn,
.dark-theme.froala-box.fr-disabled button.fr-trigger {
color: #999999 !important;
}
.dark-theme.froala-box.fr-disabled button.fr-bttn:after,
.dark-theme.froala-box.fr-disabled button.fr-trigger:after {
border-top-color: #999999 !important;
}
.dark-theme.froala-box .html-switch {
border-color: #999999;
}
.dark-theme.froala-box .froala-wrapper.f-basic {
border: solid 1px #252525;
}
.dark-theme.froala-box .froala-wrapper.f-basic.f-placeholder + span.fr-placeholder {
margin: 10px;
}
.dark-theme.froala-box .froala-element hr {
border-top-color: #aaaaaa;
}
.dark-theme.froala-box .froala-element.f-placeholder:before {
color: #aaaaaa;
}
.dark-theme.froala-box .froala-element pre {
border: solid 1px #aaaaaa;
background: #fcfcfc;
border-radius: 4px;
-moz-border-radius: 4px;
-webkit-border-radius: 4px;
-moz-background-clip: padding;
-webkit-background-clip: padding-box;
background-clip: padding-box;
}
.dark-theme.froala-box .froala-element blockquote {
border-left: solid 5px #aaaaaa;
}
.dark-theme.froala-box .froala-element img {
min-width: 32px !important;
min-height: 32px !important;
}
.dark-theme.froala-box .froala-element img.fr-fil {
padding: 10px 10px 10px 3px;
}
.dark-theme.froala-box .froala-element img.fr-fir {
padding: 10px 3px 10px 10px;
}
.dark-theme.froala-box .froala-element img.fr-fin {
padding: 10px 0;
}
.dark-theme.froala-box .froala-element img::selection {
color: #ffffff;
}
.dark-theme.froala-box .froala-element img::-moz-selection {
color: #ffffff;
}
.dark-theme.froala-box .froala-element span.f-img-editor:before {
border: none !important;
outline: solid 1px #2c82c9 !important;
}
.dark-theme.froala-box .froala-element span.f-img-editor.fr-fil {
margin: 10px 10px 10px 3px;
}
.dark-theme.froala-box .froala-element span.f-img-editor.fr-fir {
margin: 10px 3px 10px 10px;
}
.dark-theme.froala-box .froala-element span.f-img-editor.fr-fin {
margin: 10px 0;
}
.dark-theme.froala-box .froala-element span.f-img-handle {
height: 8px;
width: 8px;
border: solid 1px #ffffff !important;
background: #2c82c9;
}
.dark-theme.froala-box .froala-element span.f-video-editor.active:after {
border: solid 1px #252525;
}
.dark-theme.froala-box .froala-element.f-basic {
background: #ffffff;
color: #444444;
padding: 10px;
}
.dark-theme.froala-box .froala-element.f-basic a {
color: inherit;
}
.dark-theme.froala-box .froala-element table td {
border: solid 1px #aaaaaa;
}
.dark-theme.froala-box.f-html .froala-element {
background: #202020;
color: #ffffff;
font-family: 'Courier New', Monospace;
font-size: 13px;
}
.dark-theme.froala-editor {
background: #353535;
border: solid 1px #252525;
border-top: solid 5px #252525;
}
.dark-theme.froala-editor hr {
border-top-color: #aaaaaa;
}
.dark-theme.froala-editor span.f-sep {
border-right: solid 1px #aaaaaa;
height: 35px;
}
.dark-theme.froala-editor button.fr-bttn,
.dark-theme.froala-editor button.fr-trigger {
background: transparent;
color: #ffffff;
font-size: 16px;
line-height: 35px;
width: 40px;
}
.dark-theme.froala-editor button.fr-bttn img,
.dark-theme.froala-editor button.fr-trigger img {
max-width: 40px;
max-height: 35px;
}
.dark-theme.froala-editor button.fr-bttn:disabled,
.dark-theme.froala-editor button.fr-trigger:disabled {
color: #999999 !important;
}
.dark-theme.froala-editor button.fr-bttn:disabled:after,
.dark-theme.froala-editor button.fr-trigger:disabled:after {
border-top-color: #999999 !important;
}
.dark-theme.froala-editor.ie8 button.fr-bttn:hover,
.dark-theme.froala-editor.ie8 button.fr-trigger:hover {
background: #2c82c9;
color: #ffffff;
}
.dark-theme.froala-editor.ie8 button.fr-bttn:hover:after,
.dark-theme.froala-editor.ie8 button.fr-trigger:hover:after {
border-top-color: #ffffff;
}
.dark-theme.froala-editor .bttn-wrapper:not(.touch) button.fr-bttn:hover,
.dark-theme.froala-editor .froala-popup button.fr-bttn:hover,
.dark-theme.froala-editor .bttn-wrapper:not(.touch) button.fr-trigger:hover,
.dark-theme.froala-editor .froala-popup button.fr-trigger:hover {
background: #2c82c9;
color: #ffffff;
}
.dark-theme.froala-editor .bttn-wrapper:not(.touch) button.fr-bttn:hover:after,
.dark-theme.froala-editor .froala-popup button.fr-bttn:hover:after,
.dark-theme.froala-editor .bttn-wrapper:not(.touch) button.fr-trigger:hover:after,
.dark-theme.froala-editor .froala-popup button.fr-trigger:hover:after {
border-top-color: #ffffff;
}
.dark-theme.froala-editor .fr-bttn.active {
color: #2c82c9;
background: transparent;
}
.dark-theme.froala-editor .fr-trigger:after {
border-top-color: #ffffff;
}
.dark-theme.froala-editor .fr-trigger.active {
color: #ffffff;
background: #2c82c9;
}
.dark-theme.froala-editor .fr-trigger.active:after {
border-top-color: #ffffff !important;
}
.dark-theme.froala-editor .fr-dropdown .fr-trigger {
width: calc(40px - 2px);
}
.dark-theme.froala-editor .fr-dropdown .fr-dropdown-menu {
background: #353535;
border: solid 1px #252525;
}
.dark-theme.froala-editor .fr-dropdown .fr-dropdown-menu li.active a {
background: #ffffff !important;
color: #353535 !important;
}
.dark-theme.froala-editor .fr-dropdown .fr-dropdown-menu li a {
color: #ffffff;
}
.dark-theme.froala-editor .fr-dropdown .fr-dropdown-menu li a:hover {
background: #ffffff !important;
color: #353535 !important;
}
.dark-theme.froala-editor .fr-dropdown .fr-dropdown-menu.fr-table > li:hover > a,
.dark-theme.froala-editor .fr-dropdown .fr-dropdown-menu.fr-table > li.hover > a {
background: #ffffff;
color: #353535;
}
.dark-theme.froala-editor .fr-dropdown .fr-dropdown-menu.fr-table > li > ul {
background: #353535;
color: #ffffff;
border: solid 1px #252525;
}
.dark-theme.froala-editor .fr-dropdown .fr-dropdown-menu.fr-table > li > div {
background: #353535;
color: #ffffff;
border: solid 1px #252525;
}
.dark-theme.froala-editor .fr-dropdown .fr-dropdown-menu.fr-table > li > div > span > span {
border: solid 1px #aaaaaa;
}
.dark-theme.froala-editor .fr-dropdown .fr-dropdown-menu.fr-table > li > div > span:hover > span,
.dark-theme.froala-editor .fr-dropdown .fr-dropdown-menu.fr-table > li > div > span.hover > span {
background: rgba(61, 142, 185, 0.3);
border: solid 1px #3d8eb9;
}
.dark-theme.froala-editor .fr-dropdown .fr-dropdown-menu.fr-table > hr {
border-top: solid 1px #252525;
}
.dark-theme.froala-editor .fr-dropdown.fr-color-picker .fr-dropdown-menu p {
color: #ffffff;
}
.dark-theme.froala-editor .fr-dropdown.fr-color-picker .fr-dropdown-menu p a.fr-bttn {
color: #ffffff;
}
.dark-theme.froala-editor .fr-dropdown.fr-color-picker .fr-dropdown-menu p a.fr-bttn:hover {
color: #2c82c9;
}
.dark-theme.froala-editor .fr-dropdown.fr-color-picker .fr-dropdown-menu .fr-color-bttn.active {
outline: solid 1px #ffffff;
}
.dark-theme.froala-editor .fr-dropdown.fr-color-picker .fr-dropdown-menu .fr-color-bttn.active:after {
color: #ffffff;
}
.dark-theme.froala-editor .fr-dropdown.fr-color-picker .fr-dropdown-menu .fr-color-bttn:hover:not(:focus):not(:active) {
outline: solid 1px #ffffff;
}
.dark-theme.froala-editor .froala-popup {
background: #353535;
}
.dark-theme.froala-editor .froala-popup h4 {
color: #ffffff;
}
.dark-theme.froala-editor .froala-popup h4 i {
color: #aaaaaa;
}
.dark-theme.froala-editor .froala-popup h4 i.fa-external-link {
color: #ffffff;
}
.dark-theme.froala-editor .froala-popup h4 i.fa-external-link:hover {
color: #2c82c9;
}
.dark-theme.froala-editor .froala-popup h4 i:hover {
color: #ffffff;
}
.dark-theme.froala-editor .froala-popup button.fr-p-bttn {
color: #ffffff;
}
.dark-theme.froala-editor .froala-popup button.fr-p-bttn.f-ok {
background: #2c82c9;
color: #ffffff;
}
.dark-theme.froala-editor .froala-popup button.fr-p-bttn.f-unlink {
background: #b8312f;
color: #ffffff;
}
.dark-theme.froala-editor .froala-popup button.fr-p-bttn.f-unlink:hover {
background: #ffffff;
color: #353535;
}
.dark-theme.froala-editor .froala-popup button.fr-p-bttn:hover,
.dark-theme.froala-editor .froala-popup button.fr-p-bttn:focus {
background: #ffffff;
color: #353535;
}
.dark-theme.froala-editor .froala-popup div.f-popup-line.f-popup-toolbar {
background: #353535;
}
.dark-theme.froala-editor .froala-popup div.f-popup-line label {
color: #ffffff;
}
.dark-theme.froala-editor .froala-popup div.f-popup-line input[type="text"] {
border: solid 1px #aaaaaa;
}
.dark-theme.froala-editor .froala-popup div.f-popup-line input[type="text"]:focus {
border: solid 1px #54acd2;
}
.dark-theme.froala-editor .froala-popup div.f-popup-line input[type="text"]:disabled {
background: #ffffff;
color: #999999;
}
.dark-theme.froala-editor .froala-popup div.f-popup-line textarea {
border: solid 1px #aaaaaa;
}
.dark-theme.froala-editor .froala-popup div.f-popup-line textarea:focus {
border: solid 1px #54acd2;
}
.dark-theme.froala-editor .froala-popup.froala-image-editor-popup div.f-popup-line + div.f-popup-line {
border-top: solid 1px #aaaaaa;
}
.dark-theme.froala-editor .froala-popup.froala-video-popup p.or {
color: #ffffff;
}
.dark-theme.froala-editor .froala-popup.froala-image-popup div.f-popup-line.drop-upload div.f-upload {
color: #ffffff;
border: dashed 2px #aaaaaa;
}
.dark-theme.froala-editor .froala-popup.froala-image-popup div.f-popup-line.drop-upload div.f-upload:hover {
border: dashed 2px #eeeeee;
}
.dark-theme.froala-editor .froala-popup.froala-image-popup div.f-popup-line.drop-upload div.f-upload.f-hover {
border: dashed 2px #61bd6d;
}
.dark-theme.froala-editor .froala-popup.froala-image-popup div.f-popup-line button.f-browse {
background: #475577;
color: #ffffff;
}
.dark-theme.froala-editor .froala-popup.froala-image-popup div.f-popup-line button.f-browse:hover {
background: #ffffff;
color: #353535;
}
.dark-theme.froala-editor .froala-popup.froala-image-popup div.f-popup-line + div.f-popup-line {
border-top: solid 1px #aaaaaa;
}
.dark-theme.froala-editor .froala-popup.froala-image-popup p.f-progress {
background-color: #61bd6d;
}
.dark-theme.froala-editor .froala-popup.froala-image-popup p.f-progress span {
background-color: #61bd6d;
color: #ffffff;
}
.dark-theme.froala-editor .froala-popup.froala-link-popup div.f-popup-line .f-browse-links {
background: #475577;
color: #ffffff;
}
.dark-theme.froala-editor .froala-popup.froala-link-popup div.f-popup-line .f-browse-links:hover {
background: #ffffff;
color: #353535;
}
.dark-theme.froala-editor .froala-popup.froala-link-popup div.f-popup-line ul {
background: #353535;
border: solid 1px #252525;
}
.dark-theme.froala-editor .froala-popup.froala-link-popup div.f-popup-line ul li {
color: #ffffff;
}
.dark-theme.froala-editor .froala-popup.froala-link-popup div.f-popup-line ul li + li {
border-top: solid 1px #252525;
}
.dark-theme.froala-editor .froala-popup.froala-link-popup div.f-popup-line ul li:hover {
background: #ffffff;
color: #353535;
}
.dark-theme.froala-modal .f-modal-wrapper {
background: #353535;
border: solid 1px #252525;
border-top: solid 5px #252525;
}
.dark-theme.froala-modal .f-modal-wrapper h4 {
color: #ffffff;
}
.dark-theme.froala-modal .f-modal-wrapper h4 i {
color: #aaaaaa;
}
.dark-theme.froala-modal .f-modal-wrapper h4 i:hover {
color: #ffffff;
}
.dark-theme.froala-modal .f-modal-wrapper div.f-image-list div.f-empty {
background: #aaaaaa;
}
.dark-theme.froala-modal .f-modal-wrapper div.f-image-list div .f-delete-img {
background: #b8312f;
color: #ffffff;
}
.dark-theme.froala-modal .f-modal-wrapper div.f-image-list div .f-delete-img:hover {
background: #ffffff;
color: #353535;
}
.dark-theme.froala-modal .f-modal-wrapper div.f-image-list:not(.f-touch) div:hover .f-delete-img:hover {
background: #ffffff;
color: #353535;
}
.froala-overlay {
background: #000000;
}
| Java |
/*******************************************************************************
* Copyright (c) 2000, 2016 IBM Corporation and others.
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*
* Contributors:
* IBM Corporation - initial API and implementation
*******************************************************************************/
package org.eclipse.jface.text.rules;
import java.util.ArrayList;
import java.util.List;
import org.eclipse.core.runtime.Assert;
import org.eclipse.core.runtime.Platform;
import org.eclipse.jface.text.BadLocationException;
import org.eclipse.jface.text.BadPositionCategoryException;
import org.eclipse.jface.text.DefaultPositionUpdater;
import org.eclipse.jface.text.DocumentEvent;
import org.eclipse.jface.text.DocumentRewriteSession;
import org.eclipse.jface.text.IDocument;
import org.eclipse.jface.text.IDocumentPartitioner;
import org.eclipse.jface.text.IDocumentPartitionerExtension;
import org.eclipse.jface.text.IDocumentPartitionerExtension2;
import org.eclipse.jface.text.IDocumentPartitionerExtension3;
import org.eclipse.jface.text.IRegion;
import org.eclipse.jface.text.ITypedRegion;
import org.eclipse.jface.text.Position;
import org.eclipse.jface.text.Region;
import org.eclipse.jface.text.TextUtilities;
import org.eclipse.jface.text.TypedPosition;
import org.eclipse.jface.text.TypedRegion;
/**
* A standard implementation of a document partitioner. It uses an
* {@link IPartitionTokenScanner} to scan the document and to determine the
* document's partitioning. The tokens returned by the scanner must return the
* partition type as their data. The partitioner remembers the document's
* partitions in the document itself rather than maintaining its own data
* structure.
* <p>
* To reduce array creations in {@link IDocument#getPositions(String)}, the
* positions get cached. The cache is cleared after updating the positions in
* {@link #documentChanged2(DocumentEvent)}. Subclasses need to call
* {@link #clearPositionCache()} after modifying the partitioner's positions.
* The cached positions may be accessed through {@link #getPositions()}.
* </p>
*
* @see IPartitionTokenScanner
* @since 3.1
*/
public class FastPartitioner implements IDocumentPartitioner, IDocumentPartitionerExtension, IDocumentPartitionerExtension2, IDocumentPartitionerExtension3 {
/**
* The position category this partitioner uses to store the document's partitioning information.
*/
private static final String CONTENT_TYPES_CATEGORY= "__content_types_category"; //$NON-NLS-1$
/** The partitioner's scanner */
protected final IPartitionTokenScanner fScanner;
/** The legal content types of this partitioner */
protected final String[] fLegalContentTypes;
/** The partitioner's document */
protected IDocument fDocument;
/** The document length before a document change occurred */
protected int fPreviousDocumentLength;
/** The position updater used to for the default updating of partitions */
protected final DefaultPositionUpdater fPositionUpdater;
/** The offset at which the first changed partition starts */
protected int fStartOffset;
/** The offset at which the last changed partition ends */
protected int fEndOffset;
/**The offset at which a partition has been deleted */
protected int fDeleteOffset;
/**
* The position category this partitioner uses to store the document's partitioning information.
*/
private final String fPositionCategory;
/**
* The active document rewrite session.
*/
private DocumentRewriteSession fActiveRewriteSession;
/**
* Flag indicating whether this partitioner has been initialized.
*/
private boolean fIsInitialized= false;
/**
* The cached positions from our document, so we don't create a new array every time
* someone requests partition information.
*/
private Position[] fCachedPositions= null;
/** Debug option for cache consistency checking. */
private static final boolean CHECK_CACHE_CONSISTENCY= "true".equalsIgnoreCase(Platform.getDebugOption("org.eclipse.jface.text/debug/FastPartitioner/PositionCache")); //$NON-NLS-1$//$NON-NLS-2$;
/**
* Creates a new partitioner that uses the given scanner and may return
* partitions of the given legal content types.
*
* @param scanner the scanner this partitioner is supposed to use
* @param legalContentTypes the legal content types of this partitioner
*/
public FastPartitioner(IPartitionTokenScanner scanner, String[] legalContentTypes) {
fScanner= scanner;
fLegalContentTypes= TextUtilities.copy(legalContentTypes);
fPositionCategory= CONTENT_TYPES_CATEGORY + hashCode();
fPositionUpdater= new DefaultPositionUpdater(fPositionCategory);
}
@Override
public String[] getManagingPositionCategories() {
return new String[] { fPositionCategory };
}
@Override
public final void connect(IDocument document) {
connect(document, false);
}
/**
* {@inheritDoc}
* <p>
* May be extended by subclasses.
* </p>
*/
@Override
public void connect(IDocument document, boolean delayInitialization) {
Assert.isNotNull(document);
Assert.isTrue(!document.containsPositionCategory(fPositionCategory));
fDocument= document;
fDocument.addPositionCategory(fPositionCategory);
fIsInitialized= false;
if (!delayInitialization)
checkInitialization();
}
/**
* Calls {@link #initialize()} if the receiver is not yet initialized.
*/
protected final void checkInitialization() {
if (!fIsInitialized)
initialize();
}
/**
* Performs the initial partitioning of the partitioner's document.
* <p>
* May be extended by subclasses.
* </p>
*/
protected void initialize() {
fIsInitialized= true;
clearPositionCache();
fScanner.setRange(fDocument, 0, fDocument.getLength());
try {
IToken token= fScanner.nextToken();
while (!token.isEOF()) {
String contentType= getTokenContentType(token);
if (isSupportedContentType(contentType)) {
TypedPosition p= new TypedPosition(fScanner.getTokenOffset(), fScanner.getTokenLength(), contentType);
fDocument.addPosition(fPositionCategory, p);
}
token= fScanner.nextToken();
}
} catch (BadLocationException x) {
// cannot happen as offsets come from scanner
} catch (BadPositionCategoryException x) {
// cannot happen if document has been connected before
}
}
/**
* {@inheritDoc}
* <p>
* May be extended by subclasses.
* </p>
*/
@Override
public void disconnect() {
Assert.isTrue(fDocument.containsPositionCategory(fPositionCategory));
try {
fDocument.removePositionCategory(fPositionCategory);
} catch (BadPositionCategoryException x) {
// can not happen because of Assert
}
}
/**
* {@inheritDoc}
* <p>
* May be extended by subclasses.
* </p>
*/
@Override
public void documentAboutToBeChanged(DocumentEvent e) {
if (fIsInitialized) {
Assert.isTrue(e.getDocument() == fDocument);
fPreviousDocumentLength= e.getDocument().getLength();
fStartOffset= -1;
fEndOffset= -1;
fDeleteOffset= -1;
}
}
@Override
public final boolean documentChanged(DocumentEvent e) {
if (fIsInitialized) {
IRegion region= documentChanged2(e);
return (region != null);
}
return false;
}
/**
* Helper method for tracking the minimal region containing all partition changes.
* If <code>offset</code> is smaller than the remembered offset, <code>offset</code>
* will from now on be remembered. If <code>offset + length</code> is greater than
* the remembered end offset, it will be remembered from now on.
*
* @param offset the offset
* @param length the length
*/
private void rememberRegion(int offset, int length) {
// remember start offset
if (fStartOffset == -1)
fStartOffset= offset;
else if (offset < fStartOffset)
fStartOffset= offset;
// remember end offset
int endOffset= offset + length;
if (fEndOffset == -1)
fEndOffset= endOffset;
else if (endOffset > fEndOffset)
fEndOffset= endOffset;
}
/**
* Remembers the given offset as the deletion offset.
*
* @param offset the offset
*/
private void rememberDeletedOffset(int offset) {
fDeleteOffset= offset;
}
/**
* Creates the minimal region containing all partition changes using the
* remembered offset, end offset, and deletion offset.
*
* @return the minimal region containing all the partition changes
*/
private IRegion createRegion() {
if (fDeleteOffset == -1) {
if (fStartOffset == -1 || fEndOffset == -1)
return null;
return new Region(fStartOffset, fEndOffset - fStartOffset);
} else if (fStartOffset == -1 || fEndOffset == -1) {
return new Region(fDeleteOffset, 0);
} else {
int offset= Math.min(fDeleteOffset, fStartOffset);
int endOffset= Math.max(fDeleteOffset, fEndOffset);
return new Region(offset, endOffset - offset);
}
}
/**
* {@inheritDoc}
* <p>
* May be extended by subclasses.
* </p>
*/
@Override
public IRegion documentChanged2(DocumentEvent e) {
if (!fIsInitialized)
return null;
try {
Assert.isTrue(e.getDocument() == fDocument);
Position[] category= getPositions();
IRegion line= fDocument.getLineInformationOfOffset(e.getOffset());
int reparseStart= line.getOffset();
int partitionStart= -1;
String contentType= null;
int newLength= e.getText() == null ? 0 : e.getText().length();
int first= fDocument.computeIndexInCategory(fPositionCategory, reparseStart);
if (first > 0) {
TypedPosition partition= (TypedPosition) category[first - 1];
if (partition.includes(reparseStart)) {
partitionStart= partition.getOffset();
contentType= partition.getType();
reparseStart= partitionStart;
-- first;
} else if (reparseStart == e.getOffset() && reparseStart == partition.getOffset() + partition.getLength()) {
partitionStart= partition.getOffset();
contentType= partition.getType();
reparseStart= partitionStart;
-- first;
} else {
partitionStart= partition.getOffset() + partition.getLength();
contentType= IDocument.DEFAULT_CONTENT_TYPE;
}
} else {
partitionStart= 0;
reparseStart= 0;
}
fPositionUpdater.update(e);
for (int i= first; i < category.length; i++) {
Position p= category[i];
if (p.isDeleted) {
rememberDeletedOffset(e.getOffset());
break;
}
}
clearPositionCache();
category= getPositions();
fScanner.setPartialRange(fDocument, reparseStart, fDocument.getLength() - reparseStart, contentType, partitionStart);
int behindLastScannedPosition= reparseStart;
IToken token= fScanner.nextToken();
while (!token.isEOF()) {
contentType= getTokenContentType(token);
if (!isSupportedContentType(contentType)) {
token= fScanner.nextToken();
continue;
}
int start= fScanner.getTokenOffset();
int length= fScanner.getTokenLength();
behindLastScannedPosition= start + length;
int lastScannedPosition= behindLastScannedPosition - 1;
// remove all affected positions
while (first < category.length) {
TypedPosition p= (TypedPosition) category[first];
if (lastScannedPosition >= p.offset + p.length ||
(p.overlapsWith(start, length) &&
(!fDocument.containsPosition(fPositionCategory, start, length) ||
!contentType.equals(p.getType())))) {
rememberRegion(p.offset, p.length);
fDocument.removePosition(fPositionCategory, p);
++ first;
} else
break;
}
// if position already exists and we have scanned at least the
// area covered by the event, we are done
if (fDocument.containsPosition(fPositionCategory, start, length)) {
if (lastScannedPosition >= e.getOffset() + newLength)
return createRegion();
++ first;
} else {
// insert the new type position
try {
fDocument.addPosition(fPositionCategory, new TypedPosition(start, length, contentType));
rememberRegion(start, length);
} catch (BadPositionCategoryException x) {
} catch (BadLocationException x) {
}
}
token= fScanner.nextToken();
}
first= fDocument.computeIndexInCategory(fPositionCategory, behindLastScannedPosition);
clearPositionCache();
category= getPositions();
TypedPosition p;
while (first < category.length) {
p= (TypedPosition) category[first++];
fDocument.removePosition(fPositionCategory, p);
rememberRegion(p.offset, p.length);
}
} catch (BadPositionCategoryException x) {
// should never happen on connected documents
} catch (BadLocationException x) {
} finally {
clearPositionCache();
}
return createRegion();
}
/**
* Returns the position in the partitoner's position category which is
* close to the given offset. This is, the position has either an offset which
* is the same as the given offset or an offset which is smaller than the given
* offset. This method profits from the knowledge that a partitioning is
* a ordered set of disjoint position.
* <p>
* May be extended or replaced by subclasses.
* </p>
* @param offset the offset for which to search the closest position
* @return the closest position in the partitioner's category
*/
protected TypedPosition findClosestPosition(int offset) {
try {
int index= fDocument.computeIndexInCategory(fPositionCategory, offset);
Position[] category= getPositions();
if (category.length == 0)
return null;
if (index < category.length) {
if (offset == category[index].offset)
return (TypedPosition) category[index];
}
if (index > 0)
index--;
return (TypedPosition) category[index];
} catch (BadPositionCategoryException x) {
} catch (BadLocationException x) {
}
return null;
}
/**
* {@inheritDoc}
* <p>
* May be replaced or extended by subclasses.
* </p>
*/
@Override
public String getContentType(int offset) {
checkInitialization();
TypedPosition p= findClosestPosition(offset);
if (p != null && p.includes(offset))
return p.getType();
return IDocument.DEFAULT_CONTENT_TYPE;
}
/**
* {@inheritDoc}
* <p>
* May be replaced or extended by subclasses.
* </p>
*/
@Override
public ITypedRegion getPartition(int offset) {
checkInitialization();
try {
Position[] category = getPositions();
if (category == null || category.length == 0)
return new TypedRegion(0, fDocument.getLength(), IDocument.DEFAULT_CONTENT_TYPE);
int index= fDocument.computeIndexInCategory(fPositionCategory, offset);
if (index < category.length) {
TypedPosition next= (TypedPosition) category[index];
if (offset == next.offset)
return new TypedRegion(next.getOffset(), next.getLength(), next.getType());
if (index == 0)
return new TypedRegion(0, next.offset, IDocument.DEFAULT_CONTENT_TYPE);
TypedPosition previous= (TypedPosition) category[index - 1];
if (previous.includes(offset))
return new TypedRegion(previous.getOffset(), previous.getLength(), previous.getType());
int endOffset= previous.getOffset() + previous.getLength();
return new TypedRegion(endOffset, next.getOffset() - endOffset, IDocument.DEFAULT_CONTENT_TYPE);
}
TypedPosition previous= (TypedPosition) category[category.length - 1];
if (previous.includes(offset))
return new TypedRegion(previous.getOffset(), previous.getLength(), previous.getType());
int endOffset= previous.getOffset() + previous.getLength();
return new TypedRegion(endOffset, fDocument.getLength() - endOffset, IDocument.DEFAULT_CONTENT_TYPE);
} catch (BadPositionCategoryException x) {
} catch (BadLocationException x) {
}
return new TypedRegion(0, fDocument.getLength(), IDocument.DEFAULT_CONTENT_TYPE);
}
@Override
public final ITypedRegion[] computePartitioning(int offset, int length) {
return computePartitioning(offset, length, false);
}
/**
* {@inheritDoc}
* <p>
* May be replaced or extended by subclasses.
* </p>
*/
@Override
public String[] getLegalContentTypes() {
return TextUtilities.copy(fLegalContentTypes);
}
/**
* Returns whether the given type is one of the legal content types.
* <p>
* May be extended by subclasses.
* </p>
*
* @param contentType the content type to check
* @return <code>true</code> if the content type is a legal content type
*/
protected boolean isSupportedContentType(String contentType) {
if (contentType != null) {
for (String fLegalContentType : fLegalContentTypes) {
if (fLegalContentType.equals(contentType))
return true;
}
}
return false;
}
/**
* Returns a content type encoded in the given token. If the token's
* data is not <code>null</code> and a string it is assumed that
* it is the encoded content type.
* <p>
* May be replaced or extended by subclasses.
* </p>
*
* @param token the token whose content type is to be determined
* @return the token's content type
*/
protected String getTokenContentType(IToken token) {
Object data= token.getData();
if (data instanceof String)
return (String) data;
return null;
}
/* zero-length partition support */
/**
* {@inheritDoc}
* <p>
* May be replaced or extended by subclasses.
* </p>
*/
@Override
public String getContentType(int offset, boolean preferOpenPartitions) {
return getPartition(offset, preferOpenPartitions).getType();
}
/**
* {@inheritDoc}
* <p>
* May be replaced or extended by subclasses.
* </p>
*/
@Override
public ITypedRegion getPartition(int offset, boolean preferOpenPartitions) {
ITypedRegion region= getPartition(offset);
if (preferOpenPartitions) {
if (region.getOffset() == offset && !region.getType().equals(IDocument.DEFAULT_CONTENT_TYPE)) {
if (offset > 0) {
region= getPartition(offset - 1);
if (region.getType().equals(IDocument.DEFAULT_CONTENT_TYPE))
return region;
}
return new TypedRegion(offset, 0, IDocument.DEFAULT_CONTENT_TYPE);
}
}
return region;
}
/**
* {@inheritDoc}
* <p>
* May be replaced or extended by subclasses.
* </p>
*/
@Override
public ITypedRegion[] computePartitioning(int offset, int length, boolean includeZeroLengthPartitions) {
checkInitialization();
List<TypedRegion> list= new ArrayList<>();
try {
int endOffset= offset + length;
Position[] category= getPositions();
TypedPosition previous= null, current= null;
int start, end, gapOffset;
Position gap= new Position(0);
int startIndex= getFirstIndexEndingAfterOffset(category, offset);
int endIndex= getFirstIndexStartingAfterOffset(category, endOffset);
for (int i= startIndex; i < endIndex; i++) {
current= (TypedPosition) category[i];
gapOffset= (previous != null) ? previous.getOffset() + previous.getLength() : 0;
gap.setOffset(gapOffset);
gap.setLength(current.getOffset() - gapOffset);
if ((includeZeroLengthPartitions && overlapsOrTouches(gap, offset, length)) ||
(gap.getLength() > 0 && gap.overlapsWith(offset, length))) {
start= Math.max(offset, gapOffset);
end= Math.min(endOffset, gap.getOffset() + gap.getLength());
list.add(new TypedRegion(start, end - start, IDocument.DEFAULT_CONTENT_TYPE));
}
if (current.overlapsWith(offset, length)) {
start= Math.max(offset, current.getOffset());
end= Math.min(endOffset, current.getOffset() + current.getLength());
list.add(new TypedRegion(start, end - start, current.getType()));
}
previous= current;
}
if (previous != null) {
gapOffset= previous.getOffset() + previous.getLength();
gap.setOffset(gapOffset);
gap.setLength(fDocument.getLength() - gapOffset);
if ((includeZeroLengthPartitions && overlapsOrTouches(gap, offset, length)) ||
(gap.getLength() > 0 && gap.overlapsWith(offset, length))) {
start= Math.max(offset, gapOffset);
end= Math.min(endOffset, fDocument.getLength());
list.add(new TypedRegion(start, end - start, IDocument.DEFAULT_CONTENT_TYPE));
}
}
if (list.isEmpty())
list.add(new TypedRegion(offset, length, IDocument.DEFAULT_CONTENT_TYPE));
} catch (BadPositionCategoryException ex) {
// Make sure we clear the cache
clearPositionCache();
} catch (RuntimeException ex) {
// Make sure we clear the cache
clearPositionCache();
throw ex;
}
TypedRegion[] result= new TypedRegion[list.size()];
list.toArray(result);
return result;
}
/**
* Returns <code>true</code> if the given ranges overlap with or touch each other.
*
* @param gap the first range
* @param offset the offset of the second range
* @param length the length of the second range
* @return <code>true</code> if the given ranges overlap with or touch each other
*/
private boolean overlapsOrTouches(Position gap, int offset, int length) {
return gap.getOffset() <= offset + length && offset <= gap.getOffset() + gap.getLength();
}
/**
* Returns the index of the first position which ends after the given offset.
*
* @param positions the positions in linear order
* @param offset the offset
* @return the index of the first position which ends after the offset
*/
private int getFirstIndexEndingAfterOffset(Position[] positions, int offset) {
int i= -1, j= positions.length;
while (j - i > 1) {
int k= (i + j) >> 1;
Position p= positions[k];
if (p.getOffset() + p.getLength() > offset)
j= k;
else
i= k;
}
return j;
}
/**
* Returns the index of the first position which starts at or after the given offset.
*
* @param positions the positions in linear order
* @param offset the offset
* @return the index of the first position which starts after the offset
*/
private int getFirstIndexStartingAfterOffset(Position[] positions, int offset) {
int i= -1, j= positions.length;
while (j - i > 1) {
int k= (i + j) >> 1;
Position p= positions[k];
if (p.getOffset() >= offset)
j= k;
else
i= k;
}
return j;
}
@Override
public void startRewriteSession(DocumentRewriteSession session) throws IllegalStateException {
if (fActiveRewriteSession != null)
throw new IllegalStateException();
fActiveRewriteSession= session;
}
/**
* {@inheritDoc}
* <p>
* May be extended by subclasses.
* </p>
*/
@Override
public void stopRewriteSession(DocumentRewriteSession session) {
if (fActiveRewriteSession == session)
flushRewriteSession();
}
/**
* {@inheritDoc}
* <p>
* May be extended by subclasses.
* </p>
*/
@Override
public DocumentRewriteSession getActiveRewriteSession() {
return fActiveRewriteSession;
}
/**
* Flushes the active rewrite session.
*/
protected final void flushRewriteSession() {
fActiveRewriteSession= null;
// remove all position belonging to the partitioner position category
try {
fDocument.removePositionCategory(fPositionCategory);
} catch (BadPositionCategoryException x) {
}
fDocument.addPositionCategory(fPositionCategory);
fIsInitialized= false;
}
/**
* Clears the position cache. Needs to be called whenever the positions have
* been updated.
*/
protected final void clearPositionCache() {
if (fCachedPositions != null) {
fCachedPositions= null;
}
}
/**
* Returns the partitioners positions.
*
* @return the partitioners positions
* @throws BadPositionCategoryException if getting the positions from the
* document fails
*/
protected final Position[] getPositions() throws BadPositionCategoryException {
if (fCachedPositions == null) {
fCachedPositions= fDocument.getPositions(fPositionCategory);
} else if (CHECK_CACHE_CONSISTENCY) {
Position[] positions= fDocument.getPositions(fPositionCategory);
int len= Math.min(positions.length, fCachedPositions.length);
for (int i= 0; i < len; i++) {
if (!positions[i].equals(fCachedPositions[i]))
System.err.println("FastPartitioner.getPositions(): cached position is not up to date: from document: " + toString(positions[i]) + " in cache: " + toString(fCachedPositions[i])); //$NON-NLS-1$ //$NON-NLS-2$
}
for (int i= len; i < positions.length; i++)
System.err.println("FastPartitioner.getPositions(): new position in document: " + toString(positions[i])); //$NON-NLS-1$
for (int i= len; i < fCachedPositions.length; i++)
System.err.println("FastPartitioner.getPositions(): stale position in cache: " + toString(fCachedPositions[i])); //$NON-NLS-1$
}
return fCachedPositions;
}
/**
* Pretty print a <code>Position</code>.
*
* @param position the position to format
* @return a formatted string
*/
private String toString(Position position) {
return "P[" + position.getOffset() + "+" + position.getLength() + "]"; //$NON-NLS-1$ //$NON-NLS-2$ //$NON-NLS-3$
}
}
| Java |
package mesfavoris.bookmarktype;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.StringReader;
import java.util.Optional;
import mesfavoris.model.Bookmark;
public abstract class AbstractBookmarkMarkerPropertiesProvider implements IBookmarkMarkerAttributesProvider {
protected Optional<String> getMessage(Bookmark bookmark) {
String comment = bookmark.getPropertyValue(Bookmark.PROPERTY_COMMENT);
if (comment == null) {
return Optional.empty();
}
try (BufferedReader br = new BufferedReader(new StringReader(comment))) {
return Optional.ofNullable(br.readLine());
} catch (IOException e) {
return Optional.empty();
}
}
}
| Java |
/*******************************************************************************
* Copyright (c) 2000, 2008 IBM Corporation and others.
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*
* Contributors:
* IBM Corporation - initial API and implementation
*******************************************************************************/
package org.eclipse.jface.text.source;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.HashSet;
import java.util.Iterator;
import java.util.List;
import java.util.Map;
import java.util.Set;
import org.eclipse.swt.SWT;
import org.eclipse.swt.custom.StyledText;
import org.eclipse.swt.events.DisposeEvent;
import org.eclipse.swt.events.DisposeListener;
import org.eclipse.swt.events.MouseAdapter;
import org.eclipse.swt.events.MouseEvent;
import org.eclipse.swt.events.MouseMoveListener;
import org.eclipse.swt.events.MouseTrackAdapter;
import org.eclipse.swt.events.PaintEvent;
import org.eclipse.swt.events.PaintListener;
import org.eclipse.swt.graphics.Color;
import org.eclipse.swt.graphics.Cursor;
import org.eclipse.swt.graphics.GC;
import org.eclipse.swt.graphics.Image;
import org.eclipse.swt.graphics.Point;
import org.eclipse.swt.graphics.RGB;
import org.eclipse.swt.graphics.Rectangle;
import org.eclipse.swt.widgets.Canvas;
import org.eclipse.swt.widgets.Composite;
import org.eclipse.swt.widgets.Control;
import org.eclipse.swt.widgets.Display;
import org.eclipse.jface.text.BadLocationException;
import org.eclipse.jface.text.IDocument;
import org.eclipse.jface.text.IRegion;
import org.eclipse.jface.text.ITextListener;
import org.eclipse.jface.text.ITextViewer;
import org.eclipse.jface.text.ITextViewerExtension5;
import org.eclipse.jface.text.JFaceTextUtil;
import org.eclipse.jface.text.Position;
import org.eclipse.jface.text.Region;
import org.eclipse.jface.text.TextEvent;
import org.eclipse.jface.text.source.projection.AnnotationBag;
/**
* Ruler presented next to a source viewer showing all annotations of the
* viewer's annotation model in a compact format. The ruler has the same height
* as the source viewer.
* <p>
* Clients usually instantiate and configure objects of this class.</p>
*
* @since 2.1
*/
public class OverviewRuler implements IOverviewRuler {
/**
* Internal listener class.
*/
class InternalListener implements ITextListener, IAnnotationModelListener, IAnnotationModelListenerExtension {
/*
* @see ITextListener#textChanged
*/
public void textChanged(TextEvent e) {
if (fTextViewer != null && e.getDocumentEvent() == null && e.getViewerRedrawState()) {
// handle only changes of visible document
redraw();
}
}
/*
* @see IAnnotationModelListener#modelChanged(IAnnotationModel)
*/
public void modelChanged(IAnnotationModel model) {
update();
}
/*
* @see org.eclipse.jface.text.source.IAnnotationModelListenerExtension#modelChanged(org.eclipse.jface.text.source.AnnotationModelEvent)
* @since 3.3
*/
public void modelChanged(AnnotationModelEvent event) {
if (!event.isValid())
return;
if (event.isWorldChange()) {
update();
return;
}
Annotation[] annotations= event.getAddedAnnotations();
int length= annotations.length;
for (int i= 0; i < length; i++) {
if (!skip(annotations[i].getType())) {
update();
return;
}
}
annotations= event.getRemovedAnnotations();
length= annotations.length;
for (int i= 0; i < length; i++) {
if (!skip(annotations[i].getType())) {
update();
return;
}
}
annotations= event.getChangedAnnotations();
length= annotations.length;
for (int i= 0; i < length; i++) {
if (!skip(annotations[i].getType())) {
update();
return;
}
}
}
}
/**
* Enumerates the annotations of a specified type and characteristics
* of the associated annotation model.
*/
class FilterIterator implements Iterator {
final static int TEMPORARY= 1 << 1;
final static int PERSISTENT= 1 << 2;
final static int IGNORE_BAGS= 1 << 3;
private Iterator fIterator;
private Object fType;
private Annotation fNext;
private int fStyle;
/**
* Creates a new filter iterator with the given specification.
*
* @param annotationType the annotation type
* @param style the style
*/
public FilterIterator(Object annotationType, int style) {
fType= annotationType;
fStyle= style;
if (fModel != null) {
fIterator= fModel.getAnnotationIterator();
skip();
}
}
/**
* Creates a new filter iterator with the given specification.
*
* @param annotationType the annotation type
* @param style the style
* @param iterator the iterator
*/
public FilterIterator(Object annotationType, int style, Iterator iterator) {
fType= annotationType;
fStyle= style;
fIterator= iterator;
skip();
}
private void skip() {
boolean temp= (fStyle & TEMPORARY) != 0;
boolean pers= (fStyle & PERSISTENT) != 0;
boolean ignr= (fStyle & IGNORE_BAGS) != 0;
while (fIterator.hasNext()) {
Annotation next= (Annotation) fIterator.next();
if (next.isMarkedDeleted())
continue;
if (ignr && (next instanceof AnnotationBag))
continue;
fNext= next;
Object annotationType= next.getType();
if (fType == null || fType.equals(annotationType) || !fConfiguredAnnotationTypes.contains(annotationType) && isSubtype(annotationType)) {
if (temp && pers) return;
if (pers && next.isPersistent()) return;
if (temp && !next.isPersistent()) return;
}
}
fNext= null;
}
private boolean isSubtype(Object annotationType) {
if (fAnnotationAccess instanceof IAnnotationAccessExtension) {
IAnnotationAccessExtension extension= (IAnnotationAccessExtension) fAnnotationAccess;
return extension.isSubtype(annotationType, fType);
}
return fType.equals(annotationType);
}
/*
* @see Iterator#hasNext()
*/
public boolean hasNext() {
return fNext != null;
}
/*
* @see Iterator#next()
*/
public Object next() {
try {
return fNext;
} finally {
if (fIterator != null)
skip();
}
}
/*
* @see Iterator#remove()
*/
public void remove() {
throw new UnsupportedOperationException();
}
}
/**
* The painter of the overview ruler's header.
*/
class HeaderPainter implements PaintListener {
private Color fIndicatorColor;
private Color fSeparatorColor;
/**
* Creates a new header painter.
*/
public HeaderPainter() {
fSeparatorColor= fHeader.getDisplay().getSystemColor(SWT.COLOR_WIDGET_NORMAL_SHADOW);
}
/**
* Sets the header color.
*
* @param color the header color
*/
public void setColor(Color color) {
fIndicatorColor= color;
}
private void drawBevelRect(GC gc, int x, int y, int w, int h, Color topLeft, Color bottomRight) {
gc.setForeground(topLeft == null ? fSeparatorColor : topLeft);
gc.drawLine(x, y, x + w -1, y);
gc.drawLine(x, y, x, y + h -1);
gc.setForeground(bottomRight == null ? fSeparatorColor : bottomRight);
gc.drawLine(x + w, y, x + w, y + h);
gc.drawLine(x, y + h, x + w, y + h);
}
public void paintControl(PaintEvent e) {
if (fIndicatorColor == null)
return;
Point s= fHeader.getSize();
e.gc.setBackground(fIndicatorColor);
Rectangle r= new Rectangle(INSET, (s.y - (2*ANNOTATION_HEIGHT)) / 2, s.x - (2*INSET), 2*ANNOTATION_HEIGHT);
e.gc.fillRectangle(r);
Display d= fHeader.getDisplay();
if (d != null)
// drawBevelRect(e.gc, r.x, r.y, r.width -1, r.height -1, d.getSystemColor(SWT.COLOR_WIDGET_NORMAL_SHADOW), d.getSystemColor(SWT.COLOR_WIDGET_HIGHLIGHT_SHADOW));
drawBevelRect(e.gc, r.x, r.y, r.width -1, r.height -1, null, null);
e.gc.setForeground(fSeparatorColor);
e.gc.setLineWidth(0); // NOTE: 0 means width is 1 but with optimized performance
e.gc.drawLine(0, s.y -1, s.x -1, s.y -1);
}
}
private static final int INSET= 2;
private static final int ANNOTATION_HEIGHT= 4;
private static boolean ANNOTATION_HEIGHT_SCALABLE= true;
/** The model of the overview ruler */
private IAnnotationModel fModel;
/** The view to which this ruler is connected */
private ITextViewer fTextViewer;
/** The ruler's canvas */
private Canvas fCanvas;
/** The ruler's header */
private Canvas fHeader;
/** The buffer for double buffering */
private Image fBuffer;
/** The internal listener */
private InternalListener fInternalListener= new InternalListener();
/** The width of this vertical ruler */
private int fWidth;
/** The hit detection cursor. Do not dispose. */
private Cursor fHitDetectionCursor;
/** The last cursor. Do not dispose. */
private Cursor fLastCursor;
/** The line of the last mouse button activity */
private int fLastMouseButtonActivityLine= -1;
/** The actual annotation height */
private int fAnnotationHeight= -1;
/** The annotation access */
private IAnnotationAccess fAnnotationAccess;
/** The header painter */
private HeaderPainter fHeaderPainter;
/**
* The list of annotation types to be shown in this ruler.
* @since 3.0
*/
private Set fConfiguredAnnotationTypes= new HashSet();
/**
* The list of annotation types to be shown in the header of this ruler.
* @since 3.0
*/
private Set fConfiguredHeaderAnnotationTypes= new HashSet();
/** The mapping between annotation types and colors */
private Map fAnnotationTypes2Colors= new HashMap();
/** The color manager */
private ISharedTextColors fSharedTextColors;
/**
* All available annotation types sorted by layer.
*
* @since 3.0
*/
private List fAnnotationsSortedByLayer= new ArrayList();
/**
* All available layers sorted by layer.
* This list may contain duplicates.
* @since 3.0
*/
private List fLayersSortedByLayer= new ArrayList();
/**
* Map of allowed annotation types.
* An allowed annotation type maps to <code>true</code>, a disallowed
* to <code>false</code>.
* @since 3.0
*/
private Map fAllowedAnnotationTypes= new HashMap();
/**
* Map of allowed header annotation types.
* An allowed annotation type maps to <code>true</code>, a disallowed
* to <code>false</code>.
* @since 3.0
*/
private Map fAllowedHeaderAnnotationTypes= new HashMap();
/**
* The cached annotations.
* @since 3.0
*/
private List fCachedAnnotations= new ArrayList();
/**
* Redraw runnable lock
* @since 3.3
*/
private Object fRunnableLock= new Object();
/**
* Redraw runnable state
* @since 3.3
*/
private boolean fIsRunnablePosted= false;
/**
* Redraw runnable
* @since 3.3
*/
private Runnable fRunnable= new Runnable() {
public void run() {
synchronized (fRunnableLock) {
fIsRunnablePosted= false;
}
redraw();
updateHeader();
}
};
/**
* Tells whether temporary annotations are drawn with
* a separate color. This color will be computed by
* discoloring the original annotation color.
*
* @since 3.4
*/
private boolean fIsTemporaryAnnotationDiscolored;
/**
* Constructs a overview ruler of the given width using the given annotation access and the given
* color manager.
* <p><strong>Note:</strong> As of 3.4, temporary annotations are no longer discolored.
* Use {@link #OverviewRuler(IAnnotationAccess, int, ISharedTextColors, boolean)} if you
* want to keep the old behavior.</p>
*
* @param annotationAccess the annotation access
* @param width the width of the vertical ruler
* @param sharedColors the color manager
*/
public OverviewRuler(IAnnotationAccess annotationAccess, int width, ISharedTextColors sharedColors) {
this(annotationAccess, width, sharedColors, false);
}
/**
* Constructs a overview ruler of the given width using the given annotation
* access and the given color manager.
*
* @param annotationAccess the annotation access
* @param width the width of the vertical ruler
* @param sharedColors the color manager
* @param discolorTemporaryAnnotation <code>true</code> if temporary annotations should be discolored
* @since 3.4
*/
public OverviewRuler(IAnnotationAccess annotationAccess, int width, ISharedTextColors sharedColors, boolean discolorTemporaryAnnotation) {
fAnnotationAccess= annotationAccess;
fWidth= width;
fSharedTextColors= sharedColors;
fIsTemporaryAnnotationDiscolored= discolorTemporaryAnnotation;
}
/*
* @see org.eclipse.jface.text.source.IVerticalRulerInfo#getControl()
*/
public Control getControl() {
return fCanvas;
}
/*
* @see org.eclipse.jface.text.source.IVerticalRulerInfo#getWidth()
*/
public int getWidth() {
return fWidth;
}
/*
* @see org.eclipse.jface.text.source.IVerticalRuler#setModel(org.eclipse.jface.text.source.IAnnotationModel)
*/
public void setModel(IAnnotationModel model) {
if (model != fModel || model != null) {
if (fModel != null)
fModel.removeAnnotationModelListener(fInternalListener);
fModel= model;
if (fModel != null)
fModel.addAnnotationModelListener(fInternalListener);
update();
}
}
/*
* @see org.eclipse.jface.text.source.IVerticalRuler#createControl(org.eclipse.swt.widgets.Composite, org.eclipse.jface.text.ITextViewer)
*/
public Control createControl(Composite parent, ITextViewer textViewer) {
fTextViewer= textViewer;
fHitDetectionCursor= parent.getDisplay().getSystemCursor(SWT.CURSOR_HAND);
fHeader= new Canvas(parent, SWT.NONE);
if (fAnnotationAccess instanceof IAnnotationAccessExtension) {
fHeader.addMouseTrackListener(new MouseTrackAdapter() {
/*
* @see org.eclipse.swt.events.MouseTrackAdapter#mouseHover(org.eclipse.swt.events.MouseEvent)
* @since 3.3
*/
public void mouseEnter(MouseEvent e) {
updateHeaderToolTipText();
}
});
}
fCanvas= new Canvas(parent, SWT.NO_BACKGROUND);
fCanvas.addPaintListener(new PaintListener() {
public void paintControl(PaintEvent event) {
if (fTextViewer != null)
doubleBufferPaint(event.gc);
}
});
fCanvas.addDisposeListener(new DisposeListener() {
public void widgetDisposed(DisposeEvent event) {
handleDispose();
fTextViewer= null;
}
});
fCanvas.addMouseListener(new MouseAdapter() {
public void mouseDown(MouseEvent event) {
handleMouseDown(event);
}
});
fCanvas.addMouseMoveListener(new MouseMoveListener() {
public void mouseMove(MouseEvent event) {
handleMouseMove(event);
}
});
if (fTextViewer != null)
fTextViewer.addTextListener(fInternalListener);
return fCanvas;
}
/**
* Disposes the ruler's resources.
*/
private void handleDispose() {
if (fTextViewer != null) {
fTextViewer.removeTextListener(fInternalListener);
fTextViewer= null;
}
if (fModel != null)
fModel.removeAnnotationModelListener(fInternalListener);
if (fBuffer != null) {
fBuffer.dispose();
fBuffer= null;
}
fConfiguredAnnotationTypes.clear();
fAllowedAnnotationTypes.clear();
fConfiguredHeaderAnnotationTypes.clear();
fAllowedHeaderAnnotationTypes.clear();
fAnnotationTypes2Colors.clear();
fAnnotationsSortedByLayer.clear();
fLayersSortedByLayer.clear();
}
/**
* Double buffer drawing.
*
* @param dest the GC to draw into
*/
private void doubleBufferPaint(GC dest) {
Point size= fCanvas.getSize();
if (size.x <= 0 || size.y <= 0)
return;
if (fBuffer != null) {
Rectangle r= fBuffer.getBounds();
if (r.width != size.x || r.height != size.y) {
fBuffer.dispose();
fBuffer= null;
}
}
if (fBuffer == null)
fBuffer= new Image(fCanvas.getDisplay(), size.x, size.y);
GC gc= new GC(fBuffer);
try {
gc.setBackground(fCanvas.getBackground());
gc.fillRectangle(0, 0, size.x, size.y);
cacheAnnotations();
if (fTextViewer instanceof ITextViewerExtension5)
doPaint1(gc);
else
doPaint(gc);
} finally {
gc.dispose();
}
dest.drawImage(fBuffer, 0, 0);
}
/**
* Draws this overview ruler.
*
* @param gc the GC to draw into
*/
private void doPaint(GC gc) {
Rectangle r= new Rectangle(0, 0, 0, 0);
int yy, hh= ANNOTATION_HEIGHT;
IDocument document= fTextViewer.getDocument();
IRegion visible= fTextViewer.getVisibleRegion();
StyledText textWidget= fTextViewer.getTextWidget();
int maxLines= textWidget.getLineCount();
Point size= fCanvas.getSize();
int writable= JFaceTextUtil.computeLineHeight(textWidget, 0, maxLines, maxLines);
if (size.y > writable)
size.y= Math.max(writable - fHeader.getSize().y, 0);
for (Iterator iterator= fAnnotationsSortedByLayer.iterator(); iterator.hasNext();) {
Object annotationType= iterator.next();
if (skip(annotationType))
continue;
int[] style= new int[] { FilterIterator.PERSISTENT, FilterIterator.TEMPORARY };
for (int t=0; t < style.length; t++) {
Iterator e= new FilterIterator(annotationType, style[t], fCachedAnnotations.iterator());
boolean areColorsComputed= false;
Color fill= null;
Color stroke= null;
for (int i= 0; e.hasNext(); i++) {
Annotation a= (Annotation) e.next();
Position p= fModel.getPosition(a);
if (p == null || !p.overlapsWith(visible.getOffset(), visible.getLength()))
continue;
int annotationOffset= Math.max(p.getOffset(), visible.getOffset());
int annotationEnd= Math.min(p.getOffset() + p.getLength(), visible.getOffset() + visible.getLength());
int annotationLength= annotationEnd - annotationOffset;
try {
if (ANNOTATION_HEIGHT_SCALABLE) {
int numbersOfLines= document.getNumberOfLines(annotationOffset, annotationLength);
// don't count empty trailing lines
IRegion lastLine= document.getLineInformationOfOffset(annotationOffset + annotationLength);
if (lastLine.getOffset() == annotationOffset + annotationLength) {
numbersOfLines -= 2;
hh= (numbersOfLines * size.y) / maxLines + ANNOTATION_HEIGHT;
if (hh < ANNOTATION_HEIGHT)
hh= ANNOTATION_HEIGHT;
} else
hh= ANNOTATION_HEIGHT;
}
fAnnotationHeight= hh;
int startLine= textWidget.getLineAtOffset(annotationOffset - visible.getOffset());
yy= Math.min((startLine * size.y) / maxLines, size.y - hh);
if (!areColorsComputed) {
fill= getFillColor(annotationType, style[t] == FilterIterator.TEMPORARY);
stroke= getStrokeColor(annotationType, style[t] == FilterIterator.TEMPORARY);
areColorsComputed= true;
}
if (fill != null) {
gc.setBackground(fill);
gc.fillRectangle(INSET, yy, size.x-(2*INSET), hh);
}
if (stroke != null) {
gc.setForeground(stroke);
r.x= INSET;
r.y= yy;
r.width= size.x - (2 * INSET);
r.height= hh;
gc.setLineWidth(0); // NOTE: 0 means width is 1 but with optimized performance
gc.drawRectangle(r);
}
} catch (BadLocationException x) {
}
}
}
}
}
private void cacheAnnotations() {
fCachedAnnotations.clear();
if (fModel != null) {
Iterator iter= fModel.getAnnotationIterator();
while (iter.hasNext()) {
Annotation annotation= (Annotation) iter.next();
if (annotation.isMarkedDeleted())
continue;
if (skip(annotation.getType()))
continue;
fCachedAnnotations.add(annotation);
}
}
}
/**
* Draws this overview ruler. Uses <code>ITextViewerExtension5</code> for
* its implementation. Will replace <code>doPaint(GC)</code>.
*
* @param gc the GC to draw into
*/
private void doPaint1(GC gc) {
Rectangle r= new Rectangle(0, 0, 0, 0);
int yy, hh= ANNOTATION_HEIGHT;
ITextViewerExtension5 extension= (ITextViewerExtension5) fTextViewer;
IDocument document= fTextViewer.getDocument();
StyledText textWidget= fTextViewer.getTextWidget();
int maxLines= textWidget.getLineCount();
Point size= fCanvas.getSize();
int writable= JFaceTextUtil.computeLineHeight(textWidget, 0, maxLines, maxLines);
if (size.y > writable)
size.y= Math.max(writable - fHeader.getSize().y, 0);
for (Iterator iterator= fAnnotationsSortedByLayer.iterator(); iterator.hasNext();) {
Object annotationType= iterator.next();
if (skip(annotationType))
continue;
int[] style= new int[] { FilterIterator.PERSISTENT, FilterIterator.TEMPORARY };
for (int t=0; t < style.length; t++) {
Iterator e= new FilterIterator(annotationType, style[t], fCachedAnnotations.iterator());
boolean areColorsComputed= false;
Color fill= null;
Color stroke= null;
for (int i= 0; e.hasNext(); i++) {
Annotation a= (Annotation) e.next();
Position p= fModel.getPosition(a);
if (p == null)
continue;
IRegion widgetRegion= extension.modelRange2WidgetRange(new Region(p.getOffset(), p.getLength()));
if (widgetRegion == null)
continue;
try {
if (ANNOTATION_HEIGHT_SCALABLE) {
int numbersOfLines= document.getNumberOfLines(p.getOffset(), p.getLength());
// don't count empty trailing lines
IRegion lastLine= document.getLineInformationOfOffset(p.getOffset() + p.getLength());
if (lastLine.getOffset() == p.getOffset() + p.getLength()) {
numbersOfLines -= 2;
hh= (numbersOfLines * size.y) / maxLines + ANNOTATION_HEIGHT;
if (hh < ANNOTATION_HEIGHT)
hh= ANNOTATION_HEIGHT;
} else
hh= ANNOTATION_HEIGHT;
}
fAnnotationHeight= hh;
int startLine= textWidget.getLineAtOffset(widgetRegion.getOffset());
yy= Math.min((startLine * size.y) / maxLines, size.y - hh);
if (!areColorsComputed) {
fill= getFillColor(annotationType, style[t] == FilterIterator.TEMPORARY);
stroke= getStrokeColor(annotationType, style[t] == FilterIterator.TEMPORARY);
areColorsComputed= true;
}
if (fill != null) {
gc.setBackground(fill);
gc.fillRectangle(INSET, yy, size.x-(2*INSET), hh);
}
if (stroke != null) {
gc.setForeground(stroke);
r.x= INSET;
r.y= yy;
r.width= size.x - (2 * INSET);
r.height= hh;
gc.setLineWidth(0); // NOTE: 0 means width is 1 but with optimized performance
gc.drawRectangle(r);
}
} catch (BadLocationException x) {
}
}
}
}
}
/*
* @see org.eclipse.jface.text.source.IVerticalRuler#update()
*/
public void update() {
if (fCanvas != null && !fCanvas.isDisposed()) {
Display d= fCanvas.getDisplay();
if (d != null) {
synchronized (fRunnableLock) {
if (fIsRunnablePosted)
return;
fIsRunnablePosted= true;
}
d.asyncExec(fRunnable);
}
}
}
/**
* Redraws the overview ruler.
*/
private void redraw() {
if (fTextViewer == null || fModel == null)
return;
if (fCanvas != null && !fCanvas.isDisposed()) {
GC gc= new GC(fCanvas);
doubleBufferPaint(gc);
gc.dispose();
}
}
/**
* Translates a given y-coordinate of this ruler into the corresponding
* document lines. The number of lines depends on the concrete scaling
* given as the ration between the height of this ruler and the length
* of the document.
*
* @param y_coordinate the y-coordinate
* @return the corresponding document lines
*/
private int[] toLineNumbers(int y_coordinate) {
StyledText textWidget= fTextViewer.getTextWidget();
int maxLines= textWidget.getContent().getLineCount();
int rulerLength= fCanvas.getSize().y;
int writable= JFaceTextUtil.computeLineHeight(textWidget, 0, maxLines, maxLines);
if (rulerLength > writable)
rulerLength= Math.max(writable - fHeader.getSize().y, 0);
if (y_coordinate >= writable || y_coordinate >= rulerLength)
return new int[] {-1, -1};
int[] lines= new int[2];
int pixel0= Math.max(y_coordinate - 1, 0);
int pixel1= Math.min(rulerLength, y_coordinate + 1);
rulerLength= Math.max(rulerLength, 1);
lines[0]= (pixel0 * maxLines) / rulerLength;
lines[1]= (pixel1 * maxLines) / rulerLength;
if (fTextViewer instanceof ITextViewerExtension5) {
ITextViewerExtension5 extension= (ITextViewerExtension5) fTextViewer;
lines[0]= extension.widgetLine2ModelLine(lines[0]);
lines[1]= extension.widgetLine2ModelLine(lines[1]);
} else {
try {
IRegion visible= fTextViewer.getVisibleRegion();
int lineNumber= fTextViewer.getDocument().getLineOfOffset(visible.getOffset());
lines[0] += lineNumber;
lines[1] += lineNumber;
} catch (BadLocationException x) {
}
}
return lines;
}
/**
* Returns the position of the first annotation found in the given line range.
*
* @param lineNumbers the line range
* @return the position of the first found annotation
*/
private Position getAnnotationPosition(int[] lineNumbers) {
if (lineNumbers[0] == -1)
return null;
Position found= null;
try {
IDocument d= fTextViewer.getDocument();
IRegion line= d.getLineInformation(lineNumbers[0]);
int start= line.getOffset();
line= d.getLineInformation(lineNumbers[lineNumbers.length - 1]);
int end= line.getOffset() + line.getLength();
for (int i= fAnnotationsSortedByLayer.size() -1; i >= 0; i--) {
Object annotationType= fAnnotationsSortedByLayer.get(i);
Iterator e= new FilterIterator(annotationType, FilterIterator.PERSISTENT | FilterIterator.TEMPORARY);
while (e.hasNext() && found == null) {
Annotation a= (Annotation) e.next();
if (a.isMarkedDeleted())
continue;
if (skip(a.getType()))
continue;
Position p= fModel.getPosition(a);
if (p == null)
continue;
int posOffset= p.getOffset();
int posEnd= posOffset + p.getLength();
IRegion region= d.getLineInformationOfOffset(posEnd);
// trailing empty lines don't count
if (posEnd > posOffset && region.getOffset() == posEnd) {
posEnd--;
region= d.getLineInformationOfOffset(posEnd);
}
if (posOffset <= end && posEnd >= start)
found= p;
}
}
} catch (BadLocationException x) {
}
return found;
}
/**
* Returns the line which corresponds best to one of
* the underlying annotations at the given y-coordinate.
*
* @param lineNumbers the line numbers
* @return the best matching line or <code>-1</code> if no such line can be found
*/
private int findBestMatchingLineNumber(int[] lineNumbers) {
if (lineNumbers == null || lineNumbers.length < 1)
return -1;
try {
Position pos= getAnnotationPosition(lineNumbers);
if (pos == null)
return -1;
return fTextViewer.getDocument().getLineOfOffset(pos.getOffset());
} catch (BadLocationException ex) {
return -1;
}
}
/**
* Handles mouse clicks.
*
* @param event the mouse button down event
*/
private void handleMouseDown(MouseEvent event) {
if (fTextViewer != null) {
int[] lines= toLineNumbers(event.y);
Position p= getAnnotationPosition(lines);
if (p == null && event.button == 1) {
try {
p= new Position(fTextViewer.getDocument().getLineInformation(lines[0]).getOffset(), 0);
} catch (BadLocationException e) {
// do nothing
}
}
if (p != null) {
fTextViewer.revealRange(p.getOffset(), p.getLength());
fTextViewer.setSelectedRange(p.getOffset(), p.getLength());
}
fTextViewer.getTextWidget().setFocus();
}
fLastMouseButtonActivityLine= toDocumentLineNumber(event.y);
}
/**
* Handles mouse moves.
*
* @param event the mouse move event
*/
private void handleMouseMove(MouseEvent event) {
if (fTextViewer != null) {
int[] lines= toLineNumbers(event.y);
Position p= getAnnotationPosition(lines);
Cursor cursor= (p != null ? fHitDetectionCursor : null);
if (cursor != fLastCursor) {
fCanvas.setCursor(cursor);
fLastCursor= cursor;
}
}
}
/*
* @see org.eclipse.jface.text.source.IOverviewRuler#addAnnotationType(java.lang.Object)
*/
public void addAnnotationType(Object annotationType) {
fConfiguredAnnotationTypes.add(annotationType);
fAllowedAnnotationTypes.clear();
}
/*
* @see org.eclipse.jface.text.source.IOverviewRuler#removeAnnotationType(java.lang.Object)
*/
public void removeAnnotationType(Object annotationType) {
fConfiguredAnnotationTypes.remove(annotationType);
fAllowedAnnotationTypes.clear();
}
/*
* @see org.eclipse.jface.text.source.IOverviewRuler#setAnnotationTypeLayer(java.lang.Object, int)
*/
public void setAnnotationTypeLayer(Object annotationType, int layer) {
int j= fAnnotationsSortedByLayer.indexOf(annotationType);
if (j != -1) {
fAnnotationsSortedByLayer.remove(j);
fLayersSortedByLayer.remove(j);
}
if (layer >= 0) {
int i= 0;
int size= fLayersSortedByLayer.size();
while (i < size && layer >= ((Integer)fLayersSortedByLayer.get(i)).intValue())
i++;
Integer layerObj= new Integer(layer);
fLayersSortedByLayer.add(i, layerObj);
fAnnotationsSortedByLayer.add(i, annotationType);
}
}
/*
* @see org.eclipse.jface.text.source.IOverviewRuler#setAnnotationTypeColor(java.lang.Object, org.eclipse.swt.graphics.Color)
*/
public void setAnnotationTypeColor(Object annotationType, Color color) {
if (color != null)
fAnnotationTypes2Colors.put(annotationType, color);
else
fAnnotationTypes2Colors.remove(annotationType);
}
/**
* Returns whether the given annotation type should be skipped by the drawing routine.
*
* @param annotationType the annotation type
* @return <code>true</code> if annotation of the given type should be skipped
*/
private boolean skip(Object annotationType) {
return !contains(annotationType, fAllowedAnnotationTypes, fConfiguredAnnotationTypes);
}
/**
* Returns whether the given annotation type should be skipped by the drawing routine of the header.
*
* @param annotationType the annotation type
* @return <code>true</code> if annotation of the given type should be skipped
* @since 3.0
*/
private boolean skipInHeader(Object annotationType) {
return !contains(annotationType, fAllowedHeaderAnnotationTypes, fConfiguredHeaderAnnotationTypes);
}
/**
* Returns whether the given annotation type is mapped to <code>true</code>
* in the given <code>allowed</code> map or covered by the <code>configured</code>
* set.
*
* @param annotationType the annotation type
* @param allowed the map with allowed annotation types mapped to booleans
* @param configured the set with configured annotation types
* @return <code>true</code> if annotation is contained, <code>false</code>
* otherwise
* @since 3.0
*/
private boolean contains(Object annotationType, Map allowed, Set configured) {
Boolean cached= (Boolean) allowed.get(annotationType);
if (cached != null)
return cached.booleanValue();
boolean covered= isCovered(annotationType, configured);
allowed.put(annotationType, covered ? Boolean.TRUE : Boolean.FALSE);
return covered;
}
/**
* Computes whether the annotations of the given type are covered by the given <code>configured</code>
* set. This is the case if either the type of the annotation or any of its
* super types is contained in the <code>configured</code> set.
*
* @param annotationType the annotation type
* @param configured the set with configured annotation types
* @return <code>true</code> if annotation is covered, <code>false</code>
* otherwise
* @since 3.0
*/
private boolean isCovered(Object annotationType, Set configured) {
if (fAnnotationAccess instanceof IAnnotationAccessExtension) {
IAnnotationAccessExtension extension= (IAnnotationAccessExtension) fAnnotationAccess;
Iterator e= configured.iterator();
while (e.hasNext()) {
if (extension.isSubtype(annotationType,e.next()))
return true;
}
return false;
}
return configured.contains(annotationType);
}
/**
* Returns a specification of a color that lies between the given
* foreground and background color using the given scale factor.
*
* @param fg the foreground color
* @param bg the background color
* @param scale the scale factor
* @return the interpolated color
*/
private static RGB interpolate(RGB fg, RGB bg, double scale) {
return new RGB(
(int) ((1.0-scale) * fg.red + scale * bg.red),
(int) ((1.0-scale) * fg.green + scale * bg.green),
(int) ((1.0-scale) * fg.blue + scale * bg.blue)
);
}
/**
* Returns the grey value in which the given color would be drawn in grey-scale.
*
* @param rgb the color
* @return the grey-scale value
*/
private static double greyLevel(RGB rgb) {
if (rgb.red == rgb.green && rgb.green == rgb.blue)
return rgb.red;
return (0.299 * rgb.red + 0.587 * rgb.green + 0.114 * rgb.blue + 0.5);
}
/**
* Returns whether the given color is dark or light depending on the colors grey-scale level.
*
* @param rgb the color
* @return <code>true</code> if the color is dark, <code>false</code> if it is light
*/
private static boolean isDark(RGB rgb) {
return greyLevel(rgb) > 128;
}
/**
* Returns a color based on the color configured for the given annotation type and the given scale factor.
*
* @param annotationType the annotation type
* @param scale the scale factor
* @return the computed color
*/
private Color getColor(Object annotationType, double scale) {
Color base= findColor(annotationType);
if (base == null)
return null;
RGB baseRGB= base.getRGB();
RGB background= fCanvas.getBackground().getRGB();
boolean darkBase= isDark(baseRGB);
boolean darkBackground= isDark(background);
if (darkBase && darkBackground)
background= new RGB(255, 255, 255);
else if (!darkBase && !darkBackground)
background= new RGB(0, 0, 0);
return fSharedTextColors.getColor(interpolate(baseRGB, background, scale));
}
/**
* Returns the color for the given annotation type
*
* @param annotationType the annotation type
* @return the color
* @since 3.0
*/
private Color findColor(Object annotationType) {
Color color= (Color) fAnnotationTypes2Colors.get(annotationType);
if (color != null)
return color;
if (fAnnotationAccess instanceof IAnnotationAccessExtension) {
IAnnotationAccessExtension extension= (IAnnotationAccessExtension) fAnnotationAccess;
Object[] superTypes= extension.getSupertypes(annotationType);
if (superTypes != null) {
for (int i= 0; i < superTypes.length; i++) {
color= (Color) fAnnotationTypes2Colors.get(superTypes[i]);
if (color != null)
return color;
}
}
}
return null;
}
/**
* Returns the stroke color for the given annotation type and characteristics.
*
* @param annotationType the annotation type
* @param temporary <code>true</code> if for temporary annotations
* @return the stroke color
*/
private Color getStrokeColor(Object annotationType, boolean temporary) {
return getColor(annotationType, temporary && fIsTemporaryAnnotationDiscolored ? 0.5 : 0.2);
}
/**
* Returns the fill color for the given annotation type and characteristics.
*
* @param annotationType the annotation type
* @param temporary <code>true</code> if for temporary annotations
* @return the fill color
*/
private Color getFillColor(Object annotationType, boolean temporary) {
return getColor(annotationType, temporary && fIsTemporaryAnnotationDiscolored ? 0.9 : 0.75);
}
/*
* @see IVerticalRulerInfo#getLineOfLastMouseButtonActivity()
*/
public int getLineOfLastMouseButtonActivity() {
if (fLastMouseButtonActivityLine >= fTextViewer.getDocument().getNumberOfLines())
fLastMouseButtonActivityLine= -1;
return fLastMouseButtonActivityLine;
}
/*
* @see IVerticalRulerInfo#toDocumentLineNumber(int)
*/
public int toDocumentLineNumber(int y_coordinate) {
if (fTextViewer == null || y_coordinate == -1)
return -1;
int[] lineNumbers= toLineNumbers(y_coordinate);
int bestLine= findBestMatchingLineNumber(lineNumbers);
if (bestLine == -1 && lineNumbers.length > 0)
return lineNumbers[0];
return bestLine;
}
/*
* @see org.eclipse.jface.text.source.IVerticalRuler#getModel()
*/
public IAnnotationModel getModel() {
return fModel;
}
/*
* @see org.eclipse.jface.text.source.IOverviewRuler#getAnnotationHeight()
*/
public int getAnnotationHeight() {
return fAnnotationHeight;
}
/*
* @see org.eclipse.jface.text.source.IOverviewRuler#hasAnnotation(int)
*/
public boolean hasAnnotation(int y) {
return findBestMatchingLineNumber(toLineNumbers(y)) != -1;
}
/*
* @see org.eclipse.jface.text.source.IOverviewRuler#getHeaderControl()
*/
public Control getHeaderControl() {
return fHeader;
}
/*
* @see org.eclipse.jface.text.source.IOverviewRuler#addHeaderAnnotationType(java.lang.Object)
*/
public void addHeaderAnnotationType(Object annotationType) {
fConfiguredHeaderAnnotationTypes.add(annotationType);
fAllowedHeaderAnnotationTypes.clear();
}
/*
* @see org.eclipse.jface.text.source.IOverviewRuler#removeHeaderAnnotationType(java.lang.Object)
*/
public void removeHeaderAnnotationType(Object annotationType) {
fConfiguredHeaderAnnotationTypes.remove(annotationType);
fAllowedHeaderAnnotationTypes.clear();
}
/**
* Updates the header of this ruler.
*/
private void updateHeader() {
if (fHeader == null || fHeader.isDisposed())
return;
fHeader.setToolTipText(null);
Object colorType= null;
outer: for (int i= fAnnotationsSortedByLayer.size() -1; i >= 0; i--) {
Object annotationType= fAnnotationsSortedByLayer.get(i);
if (skipInHeader(annotationType) || skip(annotationType))
continue;
Iterator e= new FilterIterator(annotationType, FilterIterator.PERSISTENT | FilterIterator.TEMPORARY | FilterIterator.IGNORE_BAGS, fCachedAnnotations.iterator());
while (e.hasNext()) {
if (e.next() != null) {
colorType= annotationType;
break outer;
}
}
}
Color color= null;
if (colorType != null)
color= findColor(colorType);
if (color == null) {
if (fHeaderPainter != null)
fHeaderPainter.setColor(null);
} else {
if (fHeaderPainter == null) {
fHeaderPainter= new HeaderPainter();
fHeader.addPaintListener(fHeaderPainter);
}
fHeaderPainter.setColor(color);
}
fHeader.redraw();
}
/**
* Updates the header tool tip text of this ruler.
*/
private void updateHeaderToolTipText() {
if (fHeader == null || fHeader.isDisposed())
return;
if (fHeader.getToolTipText() != null)
return;
String overview= ""; //$NON-NLS-1$
for (int i= fAnnotationsSortedByLayer.size() -1; i >= 0; i--) {
Object annotationType= fAnnotationsSortedByLayer.get(i);
if (skipInHeader(annotationType) || skip(annotationType))
continue;
int count= 0;
String annotationTypeLabel= null;
Iterator e= new FilterIterator(annotationType, FilterIterator.PERSISTENT | FilterIterator.TEMPORARY | FilterIterator.IGNORE_BAGS, fCachedAnnotations.iterator());
while (e.hasNext()) {
Annotation annotation= (Annotation)e.next();
if (annotation != null) {
if (annotationTypeLabel == null)
annotationTypeLabel= ((IAnnotationAccessExtension)fAnnotationAccess).getTypeLabel(annotation);
count++;
}
}
if (annotationTypeLabel != null) {
if (overview.length() > 0)
overview += "\n"; //$NON-NLS-1$
overview += JFaceTextMessages.getFormattedString("OverviewRulerHeader.toolTipTextEntry", new Object[] {annotationTypeLabel, new Integer(count)}); //$NON-NLS-1$
}
}
if (overview.length() > 0)
fHeader.setToolTipText(overview);
}
}
| Java |
package org.cohorte.studio.eclipse.ui.node.project;
import java.io.ByteArrayInputStream;
import java.io.InputStream;
import java.io.StringWriter;
import java.util.HashMap;
import java.util.Map;
import javax.inject.Inject;
import javax.json.Json;
import javax.json.JsonArrayBuilder;
import javax.json.JsonBuilderFactory;
import javax.json.JsonObject;
import javax.json.JsonObjectBuilder;
import javax.json.JsonWriter;
import javax.json.stream.JsonGenerator;
import org.cohorte.studio.eclipse.api.annotations.NonNull;
import org.cohorte.studio.eclipse.api.objects.IHttpTransport;
import org.cohorte.studio.eclipse.api.objects.INode;
import org.cohorte.studio.eclipse.api.objects.IRuntime;
import org.cohorte.studio.eclipse.api.objects.ITransport;
import org.cohorte.studio.eclipse.api.objects.IXmppTransport;
import org.cohorte.studio.eclipse.core.api.IProjectContentManager;
import org.eclipse.core.resources.IFile;
import org.eclipse.core.resources.IProject;
import org.eclipse.core.runtime.CoreException;
import org.eclipse.e4.core.di.annotations.Creatable;
/**
* Node project content manager.
*
* @author Ahmad Shahwan
*
*/
@Creatable
public class CNodeContentManager implements IProjectContentManager<INode> {
private static final String CONF = "conf"; //$NON-NLS-1$
private static final String RUN_JS = new StringBuilder().append(CONF).append("/run.js").toString(); //$NON-NLS-1$
@SuppressWarnings("nls")
private interface IJsonKeys {
String NODE = "node";
String SHELL_PORT = "shell-port";
String HTTP_PORT = "http-port";
String NAME = "name";
String TOP_COMPOSER = "top-composer";
String CONSOLE = "console";
String COHORTE_VERSION = "cohorte-version";
String TRANSPORT = "transport";
String TRANSPORT_HTTP = "transport-http";
String HTTP_IPV = "http-ipv";
String TRANSPORT_XMPP = "transport-xmpp";
String XMPP_SERVER = "xmpp-server";
String XMPP_USER_ID = "xmpp-user-jid";
String XMPP_USER_PASSWORD = "xmpp-user-password";
String XMPP_PORT = "xmpp-port";
}
/**
* Constructor.
*/
@Inject
public CNodeContentManager() {
}
@Override
public void populate(@NonNull IProject aProject, INode aModel) throws CoreException {
if (!aProject.isOpen()) {
aProject.open(null);
}
aProject.getFolder(CONF).create(true, true, null);
IFile wRun = aProject.getFile(RUN_JS);
StringWriter wBuffer = new StringWriter();
Map<String, Object> wProperties = new HashMap<>(1);
wProperties.put(JsonGenerator.PRETTY_PRINTING, true);
JsonWriter wJWriter = Json.createWriterFactory(wProperties).createWriter(wBuffer);
JsonBuilderFactory wJ = Json.createBuilderFactory(null);
JsonObjectBuilder wJson = wJ.createObjectBuilder()
.add(IJsonKeys.NODE, wJ.createObjectBuilder()
.add(IJsonKeys.SHELL_PORT, 0)
.add(IJsonKeys.HTTP_PORT, 0)
.add(IJsonKeys.NAME, aModel.getName())
.add(IJsonKeys.TOP_COMPOSER, aModel.isComposer())
.add(IJsonKeys.CONSOLE, true));
JsonArrayBuilder wTransports = wJ.createArrayBuilder();
for (ITransport wTransport : aModel.getTransports()) {
wTransports.add(wTransport.getName());
if (wTransport instanceof IHttpTransport) {
IHttpTransport wHttp = (IHttpTransport) wTransport;
String wVer = wHttp.getVersion() == IHttpTransport.EVersion.IPV4 ? "4" : "6"; //$NON-NLS-1$//$NON-NLS-2$
wJson.add(IJsonKeys.TRANSPORT_HTTP, wJ.createObjectBuilder().add(IJsonKeys.HTTP_IPV, wVer));
}
if (wTransport instanceof IXmppTransport) {
IXmppTransport wXmpp = (IXmppTransport) wTransport;
JsonObjectBuilder wJsonXmpp = wJ.createObjectBuilder()
.add(IJsonKeys.XMPP_SERVER, wXmpp.getHostname())
.add(IJsonKeys.XMPP_PORT, wXmpp.getPort());
if (wXmpp.getUsername() != null) {
wJsonXmpp
.add(IJsonKeys.XMPP_USER_ID, wXmpp.getUsername())
.add(IJsonKeys.XMPP_USER_PASSWORD, wXmpp.getPassword());
}
wJson
.add(IJsonKeys.TRANSPORT_XMPP, wJsonXmpp);
}
}
wJson.add(IJsonKeys.TRANSPORT, wTransports);
IRuntime wRuntime = aModel.getRuntime();
if (wRuntime != null) {
wJson.add(IJsonKeys.COHORTE_VERSION, wRuntime.getVersion());
}
JsonObject wRunJs = wJson.build();
wJWriter.write(wRunJs);
InputStream wInStream = new ByteArrayInputStream(wBuffer.toString().getBytes());
wRun.create(wInStream, true, null);
}
}
| Java |
/**
* Copyright (c) 2014 - 2022 Frank Appel
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*
* Contributors:
* Frank Appel - initial API and implementation
*/
package com.codeaffine.eclipse.swt.util;
import org.eclipse.swt.widgets.Display;
public class ActionScheduler {
private final Display display;
private final Runnable action;
public ActionScheduler( Display display, Runnable action ) {
this.display = display;
this.action = action;
}
public void schedule( int delay ) {
display.timerExec( delay, action );
}
}
| Java |
<?xml version='1.0' encoding='utf-8'?>
<!DOCTYPE html
PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html lang="en-us" xml:lang="en-us">
<head>
<meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
<meta name="copyright" content="(C) Copyright 2010" />
<meta name="DC.rights.owner" content="(C) Copyright 2010" />
<meta name="DC.Type" content="cxxClass" />
<meta name="DC.Title" content="TScheduleSettings2" />
<meta name="DC.Format" content="XHTML" />
<meta name="DC.Identifier" content="GUID-3446B400-3C31-35D6-B88F-C6D036940790" />
<title>
TScheduleSettings2
</title>
<link type="text/css" rel="stylesheet" href="css/common.css" media="screen"/>
<link type="text/css" rel="stylesheet" href="css/sdl.css" media="screen"/>
<!--[if IE]>
<link href="css/iefix.css" rel="stylesheet" type="text/css" media="screen" />
<![endif]-->
<meta name="keywords" content="api" />
<link rel="stylesheet" type="text/css" href="cxxref.css" />
</head>
<body class="cxxref" id="GUID-3446B400-3C31-35D6-B88F-C6D036940790">
<a name="GUID-3446B400-3C31-35D6-B88F-C6D036940790">
<!-- -->
</a>
<?php include_once (CURRENT_SKIN_PATH.'/sdl_header.html'); ?>
<div id="sdl_container">
<div id="leftMenu">
<div id="expandcontractdiv">
<a id="collapseTree" href="javascript:tree.collapseAll()">
Collapse all
</a>
<a id="index" href="index.html">
Symbian^3 Application Developer Library
</a>
</div>
<iframe style="border:none" height="800" width="300" src="index-toc.html"></iframe>
<div id="treeDiv1">
 
</div>
<script type="text/javascript">
var currentIconMode = 0;
YAHOO.util.Event.onDOMReady(buildTree, this,true);
</script>
</div>
<div id="sdl_content">
<div class="breadcrumb">
<a href="index.html" title="Symbian^3 Application Developer Library">
Symbian^3 Application Developer Library
</a>
>
</div>
<h1 class="topictitle1">
TScheduleSettings2 Class Reference
</h1>
<table class="signature">
<tr>
<td>
class TScheduleSettings2
</td>
</tr>
</table>
<div class="section">
</div>
<div class="section member-index">
<table border="0" class="member-index">
<thead>
<tr>
<th colspan="2">
Public Attributes
</th>
</tr>
</thead>
<tbody>
<tr>
<td align="right" valign="top">
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
<a href="#GUID-70D2CD33-9F34-3C49-8BFC-8B205C4B3FD2">
iEntryCount
</a>
</td>
</tr>
<tr class="bg">
<td align="right" valign="top">
<a href="GUID-0B9C8884-6BFF-35E2-AA6F-E4057B85AFCF.html">
TName
</a>
</td>
<td>
<a href="#GUID-1B094273-A4D8-39C3-A255-FC3DFC42DF7D">
iName
</a>
</td>
</tr>
<tr>
<td align="right" valign="top">
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TBool
</a>
</td>
<td>
<a href="#GUID-0FAF0766-CBF9-3CF7-8165-EED186A19C5F">
iPersists
</a>
</td>
</tr>
</tbody>
</table>
</div>
<h1 class="pageHeading topictitle1">
Member Data Documentation
</h1>
<div class="nested1" id="GUID-70D2CD33-9F34-3C49-8BFC-8B205C4B3FD2">
<a name="GUID-70D2CD33-9F34-3C49-8BFC-8B205C4B3FD2">
<!-- -->
</a>
<h2 class="topictitle2">
TInt
iEntryCount
</h2>
<table class="signature">
<tr>
<td>
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
iEntryCount
</td>
</tr>
</table>
<div class="section">
</div>
</div>
<div class="nested1" id="GUID-1B094273-A4D8-39C3-A255-FC3DFC42DF7D">
<a name="GUID-1B094273-A4D8-39C3-A255-FC3DFC42DF7D">
<!-- -->
</a>
<h2 class="topictitle2">
TName
iName
</h2>
<table class="signature">
<tr>
<td>
<a href="GUID-0B9C8884-6BFF-35E2-AA6F-E4057B85AFCF.html">
TName
</a>
</td>
<td>
iName
</td>
</tr>
</table>
<div class="section">
</div>
</div>
<div class="nested1" id="GUID-0FAF0766-CBF9-3CF7-8165-EED186A19C5F">
<a name="GUID-0FAF0766-CBF9-3CF7-8165-EED186A19C5F">
<!-- -->
</a>
<h2 class="topictitle2">
TBool
iPersists
</h2>
<table class="signature">
<tr>
<td>
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TBool
</a>
</td>
<td>
iPersists
</td>
</tr>
</table>
<div class="section">
</div>
</div>
<p class="copyright">Copyright ©2010 Nokia Corporation and/or its subsidiary(-ies).<br /> All rights
reserved. Unless otherwise stated, these materials are provided under the terms of the <a href=" http://www.eclipse.org/legal/epl-v10.html"> Eclipse Public License
v1.0</a>.</p>
</div>
</div>
<?php include_once (CURRENT_SKIN_PATH.'/sdl_footer.html'); ?>
</body>
</html> | Java |
<?xml version='1.0' encoding='utf-8'?>
<!DOCTYPE html
PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html lang="en-us" xml:lang="en-us">
<head>
<meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
<meta name="copyright" content="(C) Copyright 2010" />
<meta name="DC.rights.owner" content="(C) Copyright 2010" />
<meta name="DC.Type" content="cxxClass" />
<meta name="DC.Title" content="MAknTouchPaneObserver" />
<meta name="DC.Format" content="XHTML" />
<meta name="DC.Identifier" content="GUID-90BA76BC-5A25-32B7-8A5C-7908879962A6" />
<title>
MAknTouchPaneObserver
</title>
<link type="text/css" rel="stylesheet" href="css/common.css" media="screen"/>
<link type="text/css" rel="stylesheet" href="css/sdl.css" media="screen"/>
<!--[if IE]>
<link href="css/iefix.css" rel="stylesheet" type="text/css" media="screen" />
<![endif]-->
<meta name="keywords" content="api" />
<link rel="stylesheet" type="text/css" href="cxxref.css" />
</head>
<body class="cxxref" id="GUID-90BA76BC-5A25-32B7-8A5C-7908879962A6">
<a name="GUID-90BA76BC-5A25-32B7-8A5C-7908879962A6">
<!-- -->
</a>
<?php include_once (CURRENT_SKIN_PATH.'/sdl_header.html'); ?>
<div id="sdl_container">
<div id="leftMenu">
<div id="expandcontractdiv">
<a id="collapseTree" href="javascript:tree.collapseAll()">
Collapse all
</a>
<a id="index" href="index.html">
Symbian^3 Application Developer Library
</a>
</div>
<iframe style="border:none" height="800" width="300" src="index-toc.html"></iframe>
<div id="treeDiv1">
 
</div>
<script type="text/javascript">
var currentIconMode = 0; window.name="id2518338 id2518347 id2420140 id2461157 id2461194 id2566633 ";
YAHOO.util.Event.onDOMReady(buildTree, this,true);
</script>
</div>
<div id="sdl_content">
<div class="breadcrumb">
<a href="index.html" title="Symbian^3 Application Developer Library">
Symbian^3 Application Developer Library
</a>
>
</div>
<h1 class="topictitle1">
MAknTouchPaneObserver Class Reference
</h1>
<table class="signature">
<tr>
<td>
class MAknTouchPaneObserver
</td>
</tr>
</table>
<div class="section">
<div>
<p>
The
<a href="GUID-90BA76BC-5A25-32B7-8A5C-7908879962A6.html#GUID-90BA76BC-5A25-32B7-8A5C-7908879962A6">
MAknTouchPaneObserver
</a>
interface allows a touch pane observer to pick up changes in the size or position of the touch pane. Such events will be as a result of layout changes which cause an actual change in the touch pane rectangle.
</p>
</div>
</div>
<div class="section member-index">
<table border="0" class="member-index">
<thead>
<tr>
<th colspan="2">
Public Member Functions
</th>
</tr>
</thead>
<tbody>
<tr>
<td align="right" class="code">
void
</td>
<td>
<a href="#GUID-77E284B2-9EF7-330A-A13F-3BCAE5CDDDB9">
HandleTouchPaneSizeChange
</a>
()
</td>
</tr>
</tbody>
</table>
</div>
<h1 class="pageHeading topictitle1">
Member Functions Documentation
</h1>
<div class="nested1" id="GUID-77E284B2-9EF7-330A-A13F-3BCAE5CDDDB9">
<a name="GUID-77E284B2-9EF7-330A-A13F-3BCAE5CDDDB9">
<!-- -->
</a>
<h2 class="topictitle2">
HandleTouchPaneSizeChange()
</h2>
<table class="signature">
<tr>
<td>
void
</td>
<td>
HandleTouchPaneSizeChange
</td>
<td>
(
</td>
<td>
)
</td>
<td>
[pure virtual]
</td>
</tr>
</table>
<div class="section">
<div>
<p>
Handles a change in the size or position of touch pane. This function is called when touch pane changes its size or position.
</p>
</div>
</div>
</div>
<p class="copyright">Copyright ©2010 Nokia Corporation and/or its subsidiary(-ies).<br /> All rights
reserved. Unless otherwise stated, these materials are provided under the terms of the <a href=" http://www.eclipse.org/legal/epl-v10.html"> Eclipse Public License
v1.0</a>.</p>
</div>
</div>
<?php include_once (CURRENT_SKIN_PATH.'/sdl_footer.html'); ?>
</body>
</html> | Java |
//
// EnlargedImageViewController.h
// ProjectCrystalBlue-iOS
//
// Created by Ryan McGraw on 4/20/14.
// Copyright (c) 2014 Project Crystal Blue. All rights reserved.
//
#import <UIKit/UIKit.h>
#import "Sample.h"
#import "AbstractCloudLibraryObjectStore.h"
@interface EnlargedImageViewController : UIViewController<UIAlertViewDelegate>
{
__strong IBOutlet UIImageView *imgView;
}
@property(nonatomic) Sample* selectedSample;
@property (nonatomic, strong) AbstractCloudLibraryObjectStore *libraryObjectStore;
- (id)initWithSample:(Sample*)initSample
withLibrary:(AbstractCloudLibraryObjectStore*)initLibrary
withImage:(UIImage*)initImage
withDescription:(NSString*)initDescription;
@end
| Java |
/**
* Copyright (c) 2010-2013, openHAB.org and others.
*
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*/
package org.openhab.io.habmin.services.events;
import javax.ws.rs.DefaultValue;
import javax.ws.rs.GET;
import javax.ws.rs.HeaderParam;
import javax.ws.rs.Path;
import javax.ws.rs.Produces;
import javax.ws.rs.QueryParam;
import javax.ws.rs.WebApplicationException;
import javax.ws.rs.core.Context;
import javax.ws.rs.core.HttpHeaders;
import javax.ws.rs.core.MediaType;
import javax.ws.rs.core.Response;
import javax.ws.rs.core.UriInfo;
import org.atmosphere.annotation.Broadcast;
import org.atmosphere.annotation.Suspend;
import org.atmosphere.annotation.Suspend.SCOPE;
import org.atmosphere.cpr.AtmosphereConfig;
import org.atmosphere.cpr.AtmosphereResource;
import org.atmosphere.cpr.BroadcasterFactory;
import org.atmosphere.cpr.BroadcasterLifeCyclePolicyListener;
import org.atmosphere.cpr.HeaderConfig;
import org.atmosphere.jersey.JerseyBroadcaster;
import org.atmosphere.jersey.SuspendResponse;
import org.openhab.core.items.GenericItem;
import org.openhab.core.items.Item;
import org.openhab.core.items.ItemNotFoundException;
import org.openhab.core.items.StateChangeListener;
import org.openhab.core.types.State;
import org.openhab.io.habmin.HABminApplication;
import org.openhab.io.habmin.internal.resources.MediaTypeHelper;
import org.openhab.io.habmin.internal.resources.ResponseTypeHelper;
import org.openhab.ui.items.ItemUIRegistry;
import org.osgi.framework.Bundle;
import org.osgi.framework.BundleContext;
import org.osgi.framework.FrameworkUtil;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import com.sun.jersey.api.json.JSONWithPadding;
/**
* <p>
* This class acts as a REST resource for history data and provides different
* methods to interact with the, persistence store
*
* <p>
* The typical content types are plain text for status values and XML or JSON(P)
* for more complex data structures
* </p>
*
* <p>
* This resource is registered with the Jersey servlet.
* </p>
*
* @author Chris Jackson
* @since 1.3.0
*/
@Path(EventResource.PATH_EVENTS)
public class EventResource {
private static final Logger logger = LoggerFactory.getLogger(EventResource.class);
/** The URI path to this resource */
public static final String PATH_EVENTS = "events";
/*
@Context
UriInfo uriInfo;
@Suspend(contentType = "application/json")
@GET
public String suspend() {
return "";
}
@Broadcast(writeEntity = false)
@GET
@Produces({ MediaType.WILDCARD })
public SuspendResponse<Response> getItems(@Context HttpHeaders headers,
@HeaderParam(HeaderConfig.X_ATMOSPHERE_TRANSPORT) String atmosphereTransport,
@HeaderParam(HeaderConfig.X_CACHE_DATE) long cacheDate, @QueryParam("type") String type,
@QueryParam("jsoncallback") @DefaultValue("callback") String callback, @Context AtmosphereResource resource) {
logger.debug("Received HTTP GET request at '{}' for media type '{}'.", uriInfo.getPath(), type);
String responseType = MediaTypeHelper.getResponseMediaType(headers.getAcceptableMediaTypes(), type);
if (atmosphereTransport == null || atmosphereTransport.isEmpty()) {
// first request => return all values
// if (responseType != null) {
// throw new WebApplicationException(Response.ok(
// getItemStateListBean(itemNames, System.currentTimeMillis()),
// responseType).build());
// } else {
throw new WebApplicationException(Response.notAcceptable(null).build());
// }
}
String p = resource.getRequest().getPathInfo();
EventBroadcaster broadcaster = (EventBroadcaster) BroadcasterFactory.getDefault().lookup(
EventBroadcaster.class, p, true);
broadcaster.register();
// itemBroadcaster.addStateChangeListener(new
// ItemStateChangeListener(itemNames));
return new SuspendResponse.SuspendResponseBuilder<Response>().scope(SCOPE.REQUEST)
.resumeOnBroadcast(!ResponseTypeHelper.isStreamingTransport(resource.getRequest()))
.broadcaster(broadcaster).outputComments(true).build();
}
*/
/*
* @GET
*
* @Path("/{bundlename: [a-zA-Z_0-9]*}")
*
* @Produces({ MediaType.WILDCARD }) public SuspendResponse<Response>
* getItemData(@Context HttpHeaders headers, @PathParam("bundlename") String
* bundlename,
*
* @QueryParam("type") String type, @QueryParam("jsoncallback")
*
* @DefaultValue("callback") String callback,
*
* @HeaderParam(HeaderConfig.X_ATMOSPHERE_TRANSPORT) String
* atmosphereTransport,
*
* @Context AtmosphereResource resource) {
* logger.debug("Received HTTP GET request at '{}' for media type '{}'.",
* uriInfo.getPath(), type );
*
* if (atmosphereTransport == null || atmosphereTransport.isEmpty()) { final
* String responseType =
* MediaTypeHelper.getResponseMediaType(headers.getAcceptableMediaTypes(),
* type); if (responseType != null) { final Object responseObject =
* responseType.equals(MediaTypeHelper.APPLICATION_X_JAVASCRIPT) ? new
* JSONWithPadding( getBundleBean(bundlename, true), callback) :
* getBundleBean(bundlename, true); throw new
* WebApplicationException(Response.ok(responseObject,
* responseType).build()); } else { throw new
* WebApplicationException(Response.notAcceptable(null).build()); } }
* GeneralBroadcaster itemBroadcaster = (GeneralBroadcaster)
* BroadcasterFactory.getDefault().lookup( GeneralBroadcaster.class,
* resource.getRequest().getPathInfo(), true); return new
* SuspendResponse.SuspendResponseBuilder<Response>().scope(SCOPE.REQUEST)
* .resumeOnBroadcast
* (!ResponseTypeHelper.isStreamingTransport(resource.getRequest()))
* .broadcaster(itemBroadcaster).outputComments(true).build(); }
*
* public static BundleBean createBundleBean(Bundle bundle, String uriPath,
* boolean detail) { BundleBean bean = new BundleBean();
*
* bean.name = bundle.getSymbolicName(); bean.version =
* bundle.getVersion().toString(); bean.modified = bundle.getLastModified();
* bean.id = bundle.getBundleId(); bean.state = bundle.getState(); bean.link
* = uriPath;
*
* return bean; }
*
* static public Item getBundle(String itemname, String uriPath) {
* ItemUIRegistry registry = HABminApplication.getItemUIRegistry(); if
* (registry != null) { try { Item item = registry.getItem(itemname); return
* item; } catch (ItemNotFoundException e) { logger.debug(e.getMessage()); }
* } return null; }
*
* private ItemBean getBundleBean(String bundlename, String uriPath) {
*
* Item item = getItem(itemname); if (item != null) { return
* createBundleBean(item, uriInfo.getBaseUri().toASCIIString(), true); }
* else {
* logger.info("Received HTTP GET request at '{}' for the unknown item '{}'."
* , uriInfo.getPath(), itemname); throw new WebApplicationException(404); }
* }
*
* private List<BundleBean> getBundles(String uriPath) { List<BundleBean>
* beans = new LinkedList<BundleBean>();
*
* BundleContext bundleContext = FrameworkUtil.getBundle(this.getClass())
* .getBundleContext();
*
* for (Bundle bundle : bundleContext.getBundles()) {
* logger.info(bundle.toString()); BundleBean bean =
* (BundleBean)createBundleBean(bundle, uriPath, false);
*
* if(bean != null) beans.add(bean); } return beans; }
*/
}
| Java |
/*******************************************************************************
* Copyright (c) 2014 Pivotal Software, Inc.
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*
* Contributors:
* Pivotal Software, Inc. - initial API and implementation
*******************************************************************************/
package org.springsource.ide.eclipse.gradle.core.modelmanager;
import org.eclipse.core.runtime.IProgressMonitor;
import org.springsource.ide.eclipse.gradle.core.GradleProject;
/**
* Interface that hides the mechanics of how models are being built via Gradle's tooling API (or whatever way
* models are being built). To implement a ModelBuilder create a subclass of AbstractModelBuilder
*/
public interface ModelBuilder {
public <T> BuildResult<T> buildModel(GradleProject project, Class<T> type, final IProgressMonitor mon);
} | Java |
/*******************************************************************************
"FreePastry" Peer-to-Peer Application Development Substrate
Copyright 2002-2007, Rice University. Copyright 2006-2007, Max Planck Institute
for Software Systems. All rights reserved.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
- Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
- Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in the
documentation and/or other materials provided with the distribution.
- Neither the name of Rice University (RICE), Max Planck Institute for Software
Systems (MPI-SWS) nor the names of its contributors may be used to endorse or
promote products derived from this software without specific prior written
permission.
This software is provided by RICE, MPI-SWS and the contributors on an "as is"
basis, without any representations or warranties of any kind, express or implied
including, but not limited to, representations or warranties of
non-infringement, merchantability or fitness for a particular purpose. In no
event shall RICE, MPI-SWS or contributors be liable for any direct, indirect,
incidental, special, exemplary, or consequential damages (including, but not
limited to, procurement of substitute goods or services; loss of use, data, or
profits; or business interruption) however caused and on any theory of
liability, whether in contract, strict liability, or tort (including negligence
or otherwise) arising in any way out of the use of this software, even if
advised of the possibility of such damage.
*******************************************************************************/
package org.mpisws.p2p.transport.peerreview.commitment;
import java.io.IOException;
import java.nio.ByteBuffer;
import java.security.SignatureException;
import java.util.HashMap;
import java.util.LinkedHashMap;
import java.util.Map;
import org.mpisws.p2p.transport.MessageCallback;
import org.mpisws.p2p.transport.MessageRequestHandle;
import org.mpisws.p2p.transport.peerreview.PeerReview;
import org.mpisws.p2p.transport.peerreview.PeerReviewConstants;
import org.mpisws.p2p.transport.peerreview.history.HashSeq;
import org.mpisws.p2p.transport.peerreview.history.IndexEntry;
import org.mpisws.p2p.transport.peerreview.history.SecureHistory;
import org.mpisws.p2p.transport.peerreview.history.logentry.EvtAck;
import org.mpisws.p2p.transport.peerreview.history.logentry.EvtRecv;
import org.mpisws.p2p.transport.peerreview.history.logentry.EvtSend;
import org.mpisws.p2p.transport.peerreview.history.logentry.EvtSign;
import org.mpisws.p2p.transport.peerreview.identity.IdentityTransport;
import org.mpisws.p2p.transport.peerreview.infostore.PeerInfoStore;
import org.mpisws.p2p.transport.peerreview.message.AckMessage;
import org.mpisws.p2p.transport.peerreview.message.OutgoingUserDataMessage;
import org.mpisws.p2p.transport.peerreview.message.UserDataMessage;
import org.mpisws.p2p.transport.util.MessageRequestHandleImpl;
import rice.environment.logging.Logger;
import rice.p2p.commonapi.rawserialization.RawSerializable;
import rice.p2p.util.MathUtils;
import rice.p2p.util.rawserialization.SimpleInputBuffer;
import rice.p2p.util.tuples.Tuple;
import rice.selector.TimerTask;
public class CommitmentProtocolImpl<Handle extends RawSerializable, Identifier extends RawSerializable> implements
CommitmentProtocol<Handle, Identifier>, PeerReviewConstants {
public int MAX_PEERS = 250;
public int INITIAL_TIMEOUT_MILLIS = 1000;
public int RETRANSMIT_TIMEOUT_MILLIS = 1000;
public int RECEIVE_CACHE_SIZE = 100;
public int MAX_RETRANSMISSIONS = 2;
public int TI_PROGRESS = 1;
public int PROGRESS_INTERVAL_MILLIS = 1000;
public int MAX_ENTRIES_PER_MS = 1000000; /* Max number of entries per millisecond */
/**
* We need to keep some state for each peer, including separate transmit and
* receive queues
*/
Map<Identifier, PeerInfo<Handle>> peer = new HashMap<Identifier, PeerInfo<Handle>>();
/**
* We cache a few recently received messages, so we can recognize duplicates.
* We also remember the location of the corresponding RECV entry in the log,
* so we can reproduce the matching acknowledgment
*/
Map<Tuple<Identifier, Long>, ReceiveInfo<Identifier>> receiveCache;
AuthenticatorStore<Identifier> authStore;
SecureHistory history;
PeerReview<Handle, Identifier> peerreview;
PeerInfoStore<Handle, Identifier> infoStore;
IdentityTransport<Handle, Identifier> transport;
/**
* If the time is more different than this from a peer, we discard the message
*/
long timeToleranceMillis;
int nextReceiveCacheEntry;
int signatureSizeBytes;
int hashSizeBytes;
TimerTask makeProgressTask;
Logger logger;
public CommitmentProtocolImpl(PeerReview<Handle,Identifier> peerreview,
IdentityTransport<Handle, Identifier> transport,
PeerInfoStore<Handle, Identifier> infoStore, AuthenticatorStore<Identifier> authStore,
SecureHistory history,
long timeToleranceMillis) throws IOException {
this.peerreview = peerreview;
this.transport = transport;
this.infoStore = infoStore;
this.authStore = authStore;
this.history = history;
this.nextReceiveCacheEntry = 0;
// this.numPeers = 0;
this.timeToleranceMillis = timeToleranceMillis;
this.logger = peerreview.getEnvironment().getLogManager().getLogger(CommitmentProtocolImpl.class, null);
initReceiveCache();
makeProgressTask = new TimerTask(){
@Override
public void run() {
makeProgressAllPeers();
}
};
peerreview.getEnvironment().getSelectorManager().schedule(makeProgressTask, PROGRESS_INTERVAL_MILLIS, PROGRESS_INTERVAL_MILLIS);
}
/**
* Load the last events from the history into the cache
*/
protected void initReceiveCache() throws IOException {
receiveCache = new LinkedHashMap<Tuple<Identifier, Long>, ReceiveInfo<Identifier>>(RECEIVE_CACHE_SIZE, 0.75f, true) {
@Override
protected boolean removeEldestEntry(Map.Entry eldest) {
return size() > RECEIVE_CACHE_SIZE;
}
};
for (long i=history.getNumEntries()-1; (i>=1) && (receiveCache.size() < RECEIVE_CACHE_SIZE); i--) {
IndexEntry hIndex = history.statEntry(i);
if (hIndex.getType() == PeerReviewConstants.EVT_RECV) {
// NOTE: this could be more efficient, because we don't need the whole thing
SimpleInputBuffer sib = new SimpleInputBuffer(history.getEntry(hIndex, hIndex.getSizeInFile()));
Identifier thisSender = peerreview.getIdSerializer().deserialize(sib);
// NOTE: the message better start with the sender seq, but this is done within this protocol
addToReceiveCache(thisSender, sib.readLong(), i);
}
}
}
protected void addToReceiveCache(Identifier id, long senderSeq, long indexInLocalHistory) {
receiveCache.put(new Tuple<Identifier, Long>(id,senderSeq), new ReceiveInfo<Identifier>(id, senderSeq, indexInLocalHistory));
}
protected PeerInfo<Handle> lookupPeer(Handle handle) {
PeerInfo<Handle> ret = peer.get(peerreview.getIdentifierExtractor().extractIdentifier(handle));
if (ret != null) return ret;
ret = new PeerInfo<Handle>(handle);
peer.put(peerreview.getIdentifierExtractor().extractIdentifier(handle), ret);
return ret;
}
@Override
public void notifyCertificateAvailable(Identifier id) {
makeProgress(id);
}
/**
* Checks whether an incoming message is already in the log (which can happen with duplicates).
* If not, it adds the message to the log.
* @return The ack message and whether it was already logged.
* @throws SignatureException
*/
@Override
public Tuple<AckMessage<Identifier>,Boolean> logMessageIfNew(UserDataMessage<Handle> udm) {
try {
boolean loggedPreviously; // part of the return statement
long seqOfRecvEntry;
byte[] myHashTop;
byte[] myHashTopMinusOne;
// SimpleInputBuffer sib = new SimpleInputBuffer(message);
// UserDataMessage<Handle> udm = UserDataMessage.build(sib, peerreview.getHandleSerializer(), peerreview.getHashSizeInBytes(), peerreview.getSignatureSizeInBytes());
/* Check whether the log contains a matching RECV entry, i.e. one with a message
from the same node and with the same send sequence number */
long indexOfRecvEntry = findRecvEntry(peerreview.getIdentifierExtractor().extractIdentifier(udm.getSenderHandle()), udm.getTopSeq());
/* If there is no such RECV entry, we append one */
if (indexOfRecvEntry < 0L) {
/* Construct the RECV entry and append it to the log */
myHashTopMinusOne = history.getTopLevelEntry().getHash();
EvtRecv<Handle> recv = udm.getReceiveEvent(transport);
history.appendEntry(EVT_RECV, true, recv.serialize());
HashSeq foo = history.getTopLevelEntry();
myHashTop = foo.getHash();
seqOfRecvEntry = foo.getSeq();
addToReceiveCache(peerreview.getIdentifierExtractor().extractIdentifier(udm.getSenderHandle()),
udm.getTopSeq(), history.getNumEntries() - 1);
if (logger.level < Logger.FINE) logger.log("New message logged as seq#"+seqOfRecvEntry);
/* Construct the SIGN entry and append it to the log */
history.appendEntry(EVT_SIGN, true, new EvtSign(udm.getHTopMinusOne(),udm.getSignature()).serialize());
loggedPreviously = false;
} else {
loggedPreviously = true;
/* If the RECV entry already exists, retrieve it */
// unsigned char type;
// bool ok = true;
IndexEntry i2 = history.statEntry(indexOfRecvEntry); //, &seqOfRecvEntry, &type, NULL, NULL, myHashTop);
IndexEntry i1 = history.statEntry(indexOfRecvEntry-1); //, NULL, NULL, NULL, NULL, myHashTopMinusOne);
assert(i1 != null && i2 != null && i2.getType() == EVT_RECV) : "i1:"+i1+" i2:"+i2;
seqOfRecvEntry = i2.getSeq();
myHashTop = i2.getNodeHash();
myHashTopMinusOne = i1.getNodeHash();
if (logger.level < Logger.FINE) logger.log("This message has already been logged as seq#"+seqOfRecvEntry);
}
/* Generate ACK = (MSG_ACK, myID, remoteSeq, localSeq, myTopMinusOne, signature) */
byte[] hToSign = transport.hash(ByteBuffer.wrap(MathUtils.longToByteArray(seqOfRecvEntry)), ByteBuffer.wrap(myHashTop));
AckMessage<Identifier> ack = new AckMessage<Identifier>(
peerreview.getLocalId(),
udm.getTopSeq(),
seqOfRecvEntry,
myHashTopMinusOne,
transport.sign(hToSign));
return new Tuple<AckMessage<Identifier>,Boolean>(ack, loggedPreviously);
} catch (IOException ioe) {
RuntimeException throwMe = new RuntimeException("Unexpect error logging message :"+udm);
throwMe.initCause(ioe);
throw throwMe;
}
}
@Override
public void notifyStatusChange(Identifier id, int newStatus) {
makeProgressAllPeers();
}
protected void makeProgressAllPeers() {
for (Identifier i : peer.keySet()) {
makeProgress(i);
}
}
/**
* Tries to make progress on the message queue of the specified peer, e.g. after that peer
* has become TRUSTED, or after it has sent us an acknowledgment
*/
protected void makeProgress(Identifier idx) {
// logger.log("makeProgress("+idx+")");
PeerInfo<Handle> info = peer.get(idx);
if (info == null || (info.xmitQueue.isEmpty() && info.recvQueue.isEmpty())) {
return;
}
/* Get the public key. If we don't have it (yet), ask the peer to send it */
if (!transport.hasCertificate(idx)) {
peerreview.requestCertificate(info.handle, idx);
return;
}
/* Transmit queue: If the peer is suspected, challenge it; otherwise, send the next message
or retransmit the one currently in flight */
if (!info.xmitQueue.isEmpty()) {
int status = infoStore.getStatus(idx);
switch (status) {
case STATUS_EXPOSED: /* Node is already exposed; no point in sending it any further messages */
if (logger.level <= Logger.WARNING) logger.log("Releasing messages sent to exposed node "+idx);
info.clearXmitQueue();
return;
case STATUS_SUSPECTED: /* Node is suspected; send the first unanswered challenge */
if (info.lastChallenge < (peerreview.getTime() - info.currentChallengeInterval)) {
if (logger.level <= Logger.WARNING) logger.log(
"Pending message for SUSPECTED node "+info.getHandle()+"; challenging node (interval="+info.currentChallengeInterval+")");
info.lastChallenge = peerreview.getTime();
info.currentChallengeInterval *= 2;
peerreview.challengeSuspectedNode(info.handle);
}
return;
case STATUS_TRUSTED: /* Node is trusted; continue below */
info.lastChallenge = -1;
info.currentChallengeInterval = PeerInfo.INITIAL_CHALLENGE_INTERVAL_MICROS;
break;
}
/* If there are no unacknowledged packets to that node, transmit the next packet */
if (info.numOutstandingPackets == 0) {
info.numOutstandingPackets++;
info.lastTransmit = peerreview.getTime();
info.currentTimeout = INITIAL_TIMEOUT_MILLIS;
info.retransmitsSoFar = 0;
OutgoingUserDataMessage<Handle> oudm = info.xmitQueue.getFirst();
// try {
peerreview.transmit(info.getHandle(), oudm, null, oudm.getOptions());
// } catch (IOException ioe) {
// info.xmitQueue.removeFirst();
// oudm.sendFailed(ioe);
// return;
// }
} else if (peerreview.getTime() > (info.lastTransmit + info.currentTimeout)) {
/* Otherwise, retransmit the current packet a few times, up to the specified limit */
if (info.retransmitsSoFar < MAX_RETRANSMISSIONS) {
if (logger.level <= Logger.WARNING) logger.log(
"Retransmitting a "+info.xmitQueue.getFirst().getPayload().remaining()+"-byte message to "+info.getHandle()+
" (lastxmit="+info.lastTransmit+", timeout="+info.currentTimeout+", type="+
info.xmitQueue.getFirst().getType()+")");
info.retransmitsSoFar++;
info.currentTimeout = RETRANSMIT_TIMEOUT_MILLIS;
info.lastTransmit = peerreview.getTime();
OutgoingUserDataMessage<Handle> oudm = info.xmitQueue.getFirst();
// try {
peerreview.transmit(info.handle, oudm, null, oudm.getOptions());
// } catch (IOException ioe) {
// info.xmitQueue.removeFirst();
// oudm.sendFailed(ioe);
// return;
// }
} else {
/* If the peer still won't acknowledge the message, file a SEND challenge with its witnesses */
if (logger.level <= Logger.WARNING) logger.log(info.handle+
" has not acknowledged our message after "+info.retransmitsSoFar+
" retransmissions; filing as evidence");
OutgoingUserDataMessage<Handle> challenge = info.xmitQueue.removeFirst();
challenge.sendFailed(new IOException("Peer Review Giving Up sending message to "+idx));
long evidenceSeq = peerreview.getEvidenceSeq();
try {
infoStore.addEvidence(peerreview.getLocalId(),
peerreview.getIdentifierExtractor().extractIdentifier(info.handle),
evidenceSeq, challenge, null);
} catch (IOException ioe) {
throw new RuntimeException(ioe);
}
peerreview.sendEvidenceToWitnesses(peerreview.getIdentifierExtractor().extractIdentifier(info.handle),
evidenceSeq, challenge);
info.numOutstandingPackets --;
}
}
}
/* Receive queue */
if (!info.recvQueue.isEmpty() && !info.isReceiving) {
info.isReceiving = true;
/* Dequeue the packet. After this point, we must either deliver it or discard it */
Tuple<UserDataMessage<Handle>, Map<String, Object>> t = info.recvQueue.removeFirst();
UserDataMessage<Handle> udm = t.a();
/* Extract the authenticator */
Authenticator authenticator;
byte[] innerHash = udm.getInnerHash(peerreview.getLocalId(), transport);
authenticator = peerreview.extractAuthenticator(
peerreview.getIdentifierExtractor().extractIdentifier(udm.getSenderHandle()),
udm.getTopSeq(),
EVT_SEND,
innerHash, udm.getHTopMinusOne(), udm.getSignature());
// logger.log("received message, extract auth from "+udm.getSenderHandle()+" seq:"+udm.getTopSeq()+" "+
// MathUtils.toBase64(innerHash)+" htop-1:"+MathUtils.toBase64(udm.getHTopMinusOne())+" sig:"+MathUtils.toBase64(udm.getSignature()));
if (authenticator != null) {
/* At this point, we are convinced that:
- The remote node is TRUSTED [TODO!!]
- The message has an acceptable sequence number
- The message is properly signed
Now we must check our log for an existing RECV entry:
- If we already have such an entry, we generate the ACK from there
- If we do not yet have the entry, we log the message and deliver it */
Tuple<AckMessage<Identifier>, Boolean> ret = logMessageIfNew(udm);
/* Since the message is not yet in the log, deliver it to the application */
if (!ret.b()) {
if (logger.level <= Logger.FINE) logger.log(
"Delivering message from "+udm.getSenderHandle()+" via "+info.handle+" ("+
udm.getPayloadLen()+" bytes; "+udm.getRelevantLen()+"/"+udm.getPayloadLen()+" relevant)");
try {
peerreview.getApp().messageReceived(udm.getSenderHandle(), udm.getPayload(), t.b());
} catch (IOException ioe) {
logger.logException("Error handling "+udm, ioe);
}
} else {
if (logger.level <= Logger.FINE) logger.log(
"Message from "+udm.getSenderHandle()+" via "+info.getHandle()+" was previously logged; not delivered");
}
/* Send the ACK */
if (logger.level <= Logger.FINE) logger.log("Returning ACK to"+info.getHandle());
// try {
peerreview.transmit(info.handle, ret.a(), null, t.b());
// } catch (IOException ioe) {
// throw new RuntimeException("Major problem, ack couldn't be serialized." +ret.a(),ioe);
// }
} else {
if (logger.level <= Logger.WARNING) logger.log("Cannot verify signature on message "+udm.getTopSeq()+" from "+info.getHandle()+"; discarding");
}
/* Release the message */
info.isReceiving = false;
makeProgress(idx);
}
}
protected long findRecvEntry(Identifier id, long seq) {
ReceiveInfo<Identifier> ret = receiveCache.get(new Tuple<Identifier, Long>(id,seq));
if (ret == null) return -1;
return ret.indexInLocalHistory;
}
protected long findAckEntry(Identifier id, long seq) {
return -1;
}
/**
* Handle an incoming USERDATA message
*/
@Override
public void handleIncomingMessage(Handle source, UserDataMessage<Handle> msg, Map<String, Object> options) throws IOException {
// char buf1[256];
/* Check whether the timestamp (in the sequence number) is close enough to our local time.
If not, the node may be trying to roll forward its clock, so we discard the message. */
long txmit = (msg.getTopSeq() / MAX_ENTRIES_PER_MS);
if ((txmit < (peerreview.getTime()-timeToleranceMillis)) || (txmit > (peerreview.getTime()+timeToleranceMillis))) {
if (logger.level <= Logger.WARNING) logger.log("Invalid sequence no #"+msg.getTopSeq()+" on incoming message (dt="+(txmit-peerreview.getTime())+"); discarding");
return;
}
/**
* Append a copy of the message to our receive queue. If the node is
* trusted, the message is going to be delivered directly by makeProgress();
* otherwise a challenge is sent.
*/
lookupPeer(source).recvQueue.addLast(new Tuple<UserDataMessage<Handle>, Map<String,Object>>(msg,options));
makeProgress(peerreview.getIdentifierExtractor().extractIdentifier(source));
}
@Override
public MessageRequestHandle<Handle, ByteBuffer> handleOutgoingMessage(
final Handle target, final ByteBuffer message,
MessageCallback<Handle, ByteBuffer> deliverAckToMe,
final Map<String, Object> options) {
int relevantlen = message.remaining();
if (options != null && options.containsKey(PeerReview.RELEVANT_LENGTH)) {
Number n = (Number)options.get(PeerReview.RELEVANT_LENGTH);
relevantlen = n.intValue();
}
assert(relevantlen >= 0);
/* Append a SEND entry to our local log */
byte[] hTopMinusOne, hTop, hToSign;
// long topSeq;
hTopMinusOne = history.getTopLevelEntry().getHash();
EvtSend<Identifier> evtSend;
if (relevantlen < message.remaining()) {
evtSend = new EvtSend<Identifier>(peerreview.getIdentifierExtractor().extractIdentifier(target),message,relevantlen,transport);
} else {
evtSend = new EvtSend<Identifier>(peerreview.getIdentifierExtractor().extractIdentifier(target),message);
}
try {
// logger.log("XXXa "+Arrays.toString(evtSend.serialize().array()));
history.appendEntry(evtSend.getType(), true, evtSend.serialize());
} catch (IOException ioe) {
MessageRequestHandle<Handle, ByteBuffer> ret = new MessageRequestHandleImpl<Handle, ByteBuffer>(target,message,options);
if (deliverAckToMe != null) deliverAckToMe.sendFailed(ret, ioe);
return ret;
}
// hTop, &topSeq
HashSeq top = history.getTopLevelEntry();
/* Sign the authenticator */
// logger.log("about to sign: "+top.getSeq()+" "+MathUtils.toBase64(top.getHash()));
hToSign = transport.hash(ByteBuffer.wrap(MathUtils.longToByteArray(top.getSeq())), ByteBuffer.wrap(top.getHash()));
byte[] signature = transport.sign(hToSign);
/* Append a SENDSIGN entry */
ByteBuffer relevantMsg = message;
if (relevantlen < message.remaining()) {
relevantMsg = ByteBuffer.wrap(message.array(), message.position(), relevantlen);
} else {
relevantMsg = ByteBuffer.wrap(message.array(), message.position(), message.remaining());
}
try {
history.appendEntry(EVT_SENDSIGN, true, relevantMsg, ByteBuffer.wrap(signature));
} catch (IOException ioe) {
MessageRequestHandle<Handle, ByteBuffer> ret = new MessageRequestHandleImpl<Handle, ByteBuffer>(target,message,options);
if (deliverAckToMe != null) deliverAckToMe.sendFailed(ret, ioe);
return ret;
}
/* Construct a USERDATA message... */
assert((relevantlen == message.remaining()) || (relevantlen < 255));
PeerInfo<Handle> pi = lookupPeer(target);
OutgoingUserDataMessage<Handle> udm = new OutgoingUserDataMessage<Handle>(top.getSeq(), peerreview.getLocalHandle(), hTopMinusOne, signature, message, relevantlen, options, pi, deliverAckToMe);
/* ... and put it into the send queue. If the node is trusted and does not have any
unacknowledged messages, makeProgress() will simply send it out. */
pi.xmitQueue.addLast(udm);
makeProgress(peerreview.getIdentifierExtractor().extractIdentifier(target));
return udm;
}
/* This is called if we receive an acknowledgment from another node */
@Override
public void handleIncomingAck(Handle source, AckMessage<Identifier> ackMessage, Map<String, Object> options) throws IOException {
// AckMessage<Identifier> ackMessage = AckMessage.build(sib, peerreview.getIdSerializer(), hasher.getHashSizeBytes(), transport.signatureSizeInBytes());
/* Acknowledgment: Log it (if we don't have it already) and send the next message, if any */
if (logger.level <= Logger.FINE) logger.log("Received an ACK from "+source);
// TODO: check that ackMessage came from the source
if (transport.hasCertificate(ackMessage.getNodeId())) {
PeerInfo<Handle> p = lookupPeer(source);
boolean checkAck = true;
OutgoingUserDataMessage<Handle> udm = null;
if (p.xmitQueue.isEmpty()) {
checkAck = false; // don't know why this happens, but maybe the ACK gets duplicated somehow
} else {
udm = p.xmitQueue.getFirst();
}
/* The ACK must acknowledge the sequence number of the packet that is currently
at the head of the send queue */
if (checkAck && ackMessage.getSendEntrySeq() == udm.getTopSeq()) {
/* Now we're ready to check the signature */
/* The peer will have logged a RECV entry, and the signature is calculated over that
entry. To verify the signature, we must reconstruct that RECV entry locally */
byte[] innerHash = udm.getInnerHash(transport);
Authenticator authenticator = peerreview.extractAuthenticator(
ackMessage.getNodeId(), ackMessage.getRecvEntrySeq(), EVT_RECV, innerHash,
ackMessage.getHashTopMinusOne(), ackMessage.getSignature());
if (authenticator != null) {
/* Signature is okay... append an ACK entry to the log */
if (logger.level <= Logger.FINE) logger.log("ACK is okay; logging "+ackMessage);
EvtAck<Identifier> evtAck = new EvtAck<Identifier>(ackMessage.getNodeId(), ackMessage.getSendEntrySeq(), ackMessage.getRecvEntrySeq(), ackMessage.getHashTopMinusOne(), ackMessage.getSignature());
history.appendEntry(EVT_ACK, true, evtAck.serialize());
udm.sendComplete(); //ackMessage.getSendEntrySeq());
/* Remove the message from the xmit queue */
p.xmitQueue.removeFirst();
p.numOutstandingPackets--;
/* Make progress (e.g. by sending the next message) */
makeProgress(peerreview.getIdentifierExtractor().extractIdentifier(p.getHandle()));
} else {
if (logger.level <= Logger.WARNING) logger.log("Invalid ACK from <"+ackMessage.getNodeId()+">; discarding");
}
} else {
if (findAckEntry(ackMessage.getNodeId(), ackMessage.getSendEntrySeq()) < 0) {
if (logger.level <= Logger.WARNING) logger.log("<"+ackMessage.getNodeId()+"> has ACKed something we haven't sent ("+ackMessage.getSendEntrySeq()+"); discarding");
} else {
if (logger.level <= Logger.WARNING) logger.log("Duplicate ACK from <"+ackMessage.getNodeId()+">; discarding");
}
}
} else {
if (logger.level <= Logger.WARNING) logger.log("We got an ACK from <"+ackMessage.getNodeId()+">, but we don't have the certificate; discarding");
}
}
@Override
public void setTimeToleranceMillis(long timeToleranceMillis) {
this.timeToleranceMillis = timeToleranceMillis;
}
}
| Java |
if (NABUCCO === undefined || !NABUCCO)
{
var NABUCCO = {};
}
(function()
{
NABUCCO.component = NABUCCO.component || {};
NABUCCO.component.CMISDocumentList = function(htmlId)
{
// replace Bubbling.on with NO-OP, so the superclass can't register its event listeners (never-ever)
var on = YAHOO.Bubbling.on;
YAHOO.Bubbling.on = function()
{
// NO-OP
return;
};
try
{
NABUCCO.component.CMISDocumentList.superclass.constructor.call(this, htmlId);
// restore
YAHOO.Bubbling.on = on;
}
catch (e)
{
// restore
YAHOO.Bubbling.on = on;
throw e;
}
this.name = "NABUCCO.component.CMISDocumentList";
Alfresco.util.ComponentManager.reregister(this);
this.dataSourceUrl = Alfresco.constants.URL_SERVICECONTEXT + 'nabucco/components/cmis-documentlist/data?';
if (htmlId !== "null")
{
// we actually want to react to metadataRefresh
YAHOO.Bubbling.on("metadataRefresh", this.onDocListRefresh, this);
YAHOO.Bubbling.on("filterChanged", this.onFilterChanged, this);
YAHOO.Bubbling.on("changeFilter", this.onChangeFilter, this);
}
this.dragAndDropAllowed = false;
this.setOptions(
{
preferencePrefix : "org.nabucco.cmis-documentlibrary"
});
};
YAHOO.extend(NABUCCO.component.CMISDocumentList, Alfresco.DocumentList,
{
onSortAscending : function()
{
NABUCCO.component.CMISDocumentList.withPreferencePrefixOverride.call(this,
NABUCCO.component.CMISDocumentList.superclass.onSortAscending, arguments);
},
onSortField : function()
{
NABUCCO.component.CMISDocumentList.withPreferencePrefixOverride.call(this,
NABUCCO.component.CMISDocumentList.superclass.onSortField, arguments);
},
onShowFolders : function()
{
NABUCCO.component.CMISDocumentList.withPreferencePrefixOverride.call(this,
NABUCCO.component.CMISDocumentList.superclass.onShowFolders, arguments);
},
onViewRendererSelect : function()
{
NABUCCO.component.CMISDocumentList.withPreferencePrefixOverride.call(this,
NABUCCO.component.CMISDocumentList.superclass.onViewRendererSelect, arguments);
},
onSimpleDetailed : function()
{
NABUCCO.component.CMISDocumentList.withPreferencePrefixOverride.call(this,
NABUCCO.component.CMISDocumentList.superclass.onSimpleDetailed, arguments);
},
_buildDocListParams : function(p_obj)
{
var params = "", obj =
{
path : this.currentPath
};
// Pagination in use?
if (this.options.usePagination)
{
obj.page = this.widgets.paginator.getCurrentPage() || this.currentPage;
obj.pageSize = this.widgets.paginator.getRowsPerPage();
}
// Passed-in overrides
if (typeof p_obj === "object")
{
obj = YAHOO.lang.merge(obj, p_obj);
}
params = "path=" + obj.path;
// Paging parameters
if (this.options.usePagination)
{
params += "&pageSize=" + obj.pageSize + "&pos=" + obj.page;
}
// Sort parameters
params += "&sortAsc=" + this.options.sortAscending + "&sortField=" + encodeURIComponent(this.options.sortField);
// View mode and No-cache
params += "&view=" + this.actionsView + "&noCache=" + new Date().getTime();
return params;
}
});
NABUCCO.component.CMISDocumentList.withPreferencePrefixOverride = function(callback, args)
{
var prefSet, result, scope = this;
if (YAHOO.lang.isString(this.options.preferencePrefix) && this.options.preferencePrefix !== "org.alfresco.share.documentList")
{
prefSet = this.services.preferences.set;
this.services.preferences.set = function(prefKey, value, responseConfig)
{
prefKey = prefKey.replace("org.alfresco.share.documentList.", scope.options.preferencePrefix + '.');
return prefSet.call(this, prefKey, value, responseConfig);
};
try
{
result = callback.apply(this, args);
this.services.preferences.set = prefSet;
}
catch (e)
{
this.services.preferences.set = prefSet;
throw e;
}
return result;
}
return callback.apply(this, args);
};
// necessary to fix default thumbnail icons for non-standard node types, especially non-file-folder types
NABUCCO.component.CMISDocumentList.withFileIconOverride = function(callback, args)
{
var getFileIcon = Alfresco.util.getFileIcon, node = args[1].getData().jsNode, result;
Alfresco.util.getFileIcon = function(p_fileName, p_fileType, p_iconSize, p_fileParentType)
{
if (p_fileType === undefined)
{
if (node.isLink && YAHOO.lang.isObject(node.linkedNode) && YAHOO.lang.isString(node.linkedNode.type))
{
p_fileType = node.linkedNode.type;
}
else
{
p_fileType = node.type;
}
}
return getFileIcon.call(Alfresco.util, p_fileName, p_fileType, p_iconSize, p_fileParentType);
};
Alfresco.util.getFileIcon.types = getFileIcon.types;
try
{
result = callback.apply(this, args);
Alfresco.util.getFileIcon = getFileIcon;
}
catch (e)
{
Alfresco.util.getFileIcon = getFileIcon;
throw e;
}
return result;
};
// necessary to fix thumbnail URL generation to avoid HTTP 400 responses for attempts on items without content
NABUCCO.component.CMISDocumentList.withThumbnailOverride = function(callback, args)
{
var generateThumbnailUrl = Alfresco.DocumentList.generateThumbnailUrl, result;
Alfresco.DocumentList.generateThumbnailUrl = function(record)
{
var node = record.jsNode;
if ((node.isContent || (node.isLink && node.linkedNode.isContent))
&& (YAHOO.lang.isString(node.contentURL) || (node.isLink && YAHOO.lang.isString(node.linkedNode.contentURL))))
{
return generateThumbnailUrl(record);
}
return Alfresco.constants.URL_RESCONTEXT + 'components/images/filetypes/' + Alfresco.util.getFileIcon(record.displayName);
};
try
{
result = callback.apply(this, args);
Alfresco.DocumentList.generateThumbnailUrl = generateThumbnailUrl;
}
catch (e)
{
Alfresco.DocumentList.generateThumbnailUrl = generateThumbnailUrl;
throw e;
}
return result;
};
// adapt the document list fnRenderCellThumbnail to remove preview when no preview can be generated (node without content) and use
// information available for file icon determination
Alfresco.DocumentList.prototype._nbc_fnRenderCellThumbnail = Alfresco.DocumentList.prototype.fnRenderCellThumbnail;
Alfresco.DocumentList.prototype.fnRenderCellThumbnail = function(renderChain)
{
var scope = this, realRenderer = this._nbc_fnRenderCellThumbnail(), renderCallback = renderChain;
return function(elCell, oRecord, oColumn, oData)
{
var id, node = oRecord.getData().jsNode;
NABUCCO.component.CMISDocumentList.withFileIconOverride.call(this, function()
{
NABUCCO.component.CMISDocumentList.withThumbnailOverride.call(this, function()
{
if (YAHOO.lang.isFunction(renderCallback))
{
renderCallback.call(this, realRenderer, arguments);
}
else
{
realRenderer.apply(this, arguments);
}
}, arguments);
}, [ elCell, oRecord, oColumn, oData ]);
// OOTB view renderer always prepare preview even if node has no content
if (!(node.isContainer || (node.isLink && node.linkedNode.isContainer))
&& !(YAHOO.lang.isString(node.contentURL) || (node.isLink && YAHOO.lang.isString(node.linkedNode.contentURL))))
{
// check for any thumbnails that are not supported due to node without content
id = scope.id + '-preview-' + oRecord.getId();
if (Alfresco.util.arrayContains(scope.previewTooltips, id))
{
scope.previewTooltips = Alfresco.util.arrayRemove(scope.previewTooltips, id);
}
}
};
};
// adapt size renderer for items without content as well as links
Alfresco.DocumentList.prototype._nbc_setupMetadataRenderers = Alfresco.DocumentList.prototype._setupMetadataRenderers;
Alfresco.DocumentList.prototype._setupMetadataRenderers = function()
{
this._nbc_setupMetadataRenderers();
/**
* File size
*/
this.registerRenderer("size", function(record, label)
{
var jsNode = record.jsNode, html = "";
if ((YAHOO.lang.isString(jsNode.contentURL) || YAHOO.lang.isNumber(jsNode.size)) || (jsNode.isLink && (YAHOO.lang.isString(jsNode.linkedNode.contentURL) || YAHOO.lang.isNumber(jsNode.linkedNode.size))))
{
html += '<span class="item">' + label
+ Alfresco.util.formatFileSize(YAHOO.lang.isString(jsNode.contentURL) || YAHOO.lang.isNumber(jsNode.size) ? jsNode.size : jsNode.linkedNode.size)
+ '</span>';
}
return html;
});
};
(function()
{
// additional properties for jsNode
var additionalJsNodeProps = [ "isContent" ];
// adapt Node to support our additional properties
Alfresco.util._nbc_Node = Alfresco.util.Node;
Alfresco.util.Node = function(p_node)
{
var jsNode = Alfresco.util._nbc_Node(p_node), idx, propName;
if (YAHOO.lang.isObject(jsNode))
{
for (idx = 0; idx < additionalJsNodeProps.length; idx++)
{
propName = additionalJsNodeProps[idx];
// override only if no such property has been defined yet
if (p_node.hasOwnProperty(propName) && !jsNode.hasOwnProperty(propName))
{
if (propName.indexOf("Node") !== -1 && propName.substr(propName.indexOf("Node")) === "Node"
&& YAHOO.lang.isString(p_node[propName]))
{
jsNode[propName] = new Alfresco.util.NodeRef(p_node[propName]);
}
else
{
jsNode[propName] = p_node[propName];
}
}
}
}
return jsNode;
};
}());
Alfresco.util.getFileIcon.types["D:cmiscustom:document"] = "file";
Alfresco.util.getFileIcon.types["cmis:document"] = "file";
Alfresco.util.getFileIcon.types["cmis:folder"] = "folder";
}()); | Java |
/*******************************************************************************
* Copyright (c) 2017 TypeFox GmbH (http://www.typefox.io) and others.
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*******************************************************************************/
package org.eclipse.xtext.formatting2.regionaccess.internal;
import static org.eclipse.xtext.formatting2.regionaccess.HiddenRegionPartAssociation.*;
import java.util.Collections;
import java.util.List;
import java.util.Map;
import org.apache.log4j.Logger;
import org.eclipse.emf.ecore.EObject;
import org.eclipse.xtext.formatting2.debug.TextRegionAccessToString;
import org.eclipse.xtext.formatting2.regionaccess.IEObjectRegion;
import org.eclipse.xtext.formatting2.regionaccess.IHiddenRegion;
import org.eclipse.xtext.formatting2.regionaccess.ISemanticRegion;
import org.eclipse.xtext.formatting2.regionaccess.ITextRegionAccess;
import org.eclipse.xtext.formatting2.regionaccess.ITextRegionDiffBuilder;
import org.eclipse.xtext.formatting2.regionaccess.ITextSegment;
import org.eclipse.xtext.serializer.ISerializationContext;
import org.eclipse.xtext.serializer.acceptor.ISequenceAcceptor;
import org.eclipse.xtext.util.ITextRegion;
import com.google.common.base.Preconditions;
import com.google.common.base.Throwables;
import com.google.common.collect.Lists;
import com.google.common.collect.Maps;
/**
* @author Moritz Eysholdt - Initial contribution and API
*/
public class StringBasedTextRegionAccessDiffBuilder implements ITextRegionDiffBuilder {
private final static Logger LOG = Logger.getLogger(StringBasedTextRegionAccessDiffBuilder.class);
protected interface Insert {
public IHiddenRegion getInsertFirst();
public IHiddenRegion getInsertLast();
}
protected static class MoveSource extends Rewrite {
private MoveTarget target = null;
public MoveSource(IHiddenRegion first, IHiddenRegion last) {
super(first, last);
}
public MoveTarget getTarget() {
return target;
}
}
protected static class MoveTarget extends Rewrite implements Insert {
private final MoveSource source;
public MoveTarget(IHiddenRegion insertAt, MoveSource source) {
super(insertAt, insertAt);
this.source = source;
this.source.target = this;
}
@Override
public IHiddenRegion getInsertFirst() {
return this.source.originalFirst;
}
@Override
public IHiddenRegion getInsertLast() {
return this.source.originalLast;
}
}
protected static class Remove extends Rewrite {
public Remove(IHiddenRegion originalFirst, IHiddenRegion originalLast) {
super(originalFirst, originalLast);
}
}
protected static class Replace1 extends Rewrite implements Insert {
private final IHiddenRegion modifiedFirst;
private final IHiddenRegion modifiedLast;
public Replace1(IHiddenRegion originalFirst, IHiddenRegion originalLast, IHiddenRegion modifiedFirst,
IHiddenRegion modifiedLast) {
super(originalFirst, originalLast);
this.modifiedFirst = modifiedFirst;
this.modifiedLast = modifiedLast;
}
@Override
public IHiddenRegion getInsertFirst() {
return this.modifiedFirst;
}
@Override
public IHiddenRegion getInsertLast() {
return this.modifiedLast;
}
}
protected static class Preserve extends Rewrite implements Insert {
public Preserve(IHiddenRegion first, IHiddenRegion last) {
super(first, last);
}
@Override
public IHiddenRegion getInsertFirst() {
return this.originalFirst;
}
@Override
public IHiddenRegion getInsertLast() {
return this.originalLast;
}
@Override
public boolean isDiff() {
return false;
}
}
public abstract static class Rewrite implements Comparable<Rewrite> {
protected IHiddenRegion originalFirst;
protected IHiddenRegion originalLast;
public Rewrite(IHiddenRegion originalFirst, IHiddenRegion originalLast) {
super();
this.originalFirst = originalFirst;
this.originalLast = originalLast;
}
public boolean isDiff() {
return true;
}
@Override
public int compareTo(Rewrite o) {
return Integer.compare(originalFirst.getOffset(), o.originalFirst.getOffset());
}
}
protected static class Replace2 extends Rewrite implements Insert {
private final TextRegionAccessBuildingSequencer sequencer;
public Replace2(IHiddenRegion originalFirst, IHiddenRegion originalLast,
TextRegionAccessBuildingSequencer sequencer) {
super(originalFirst, originalLast);
this.sequencer = sequencer;
}
@Override
public IHiddenRegion getInsertFirst() {
return sequencer.getRegionAccess().regionForRootEObject().getPreviousHiddenRegion();
}
@Override
public IHiddenRegion getInsertLast() {
return sequencer.getRegionAccess().regionForRootEObject().getNextHiddenRegion();
}
}
private final ITextRegionAccess original;
private List<Rewrite> rewrites = Lists.newArrayList();
private Map<ITextSegment, String> changes = Maps.newHashMap();
public StringBasedTextRegionAccessDiffBuilder(ITextRegionAccess base) {
super();
this.original = base;
}
protected void checkOriginal(ITextSegment segment) {
Preconditions.checkNotNull(segment);
Preconditions.checkArgument(original == segment.getTextRegionAccess());
}
protected List<Rewrite> createList() {
List<Rewrite> sorted = Lists.newArrayList(rewrites);
Collections.sort(sorted);
List<Rewrite> result = Lists.newArrayListWithExpectedSize(sorted.size() * 2);
IHiddenRegion last = original.regionForRootEObject().getPreviousHiddenRegion();
for (Rewrite rw : sorted) {
int lastOffset = last.getOffset();
int rwOffset = rw.originalFirst.getOffset();
if (rwOffset == lastOffset) {
result.add(rw);
last = rw.originalLast;
} else if (rwOffset > lastOffset) {
result.add(new Preserve(last, rw.originalFirst));
result.add(rw);
last = rw.originalLast;
} else {
LOG.error("Error, conflicting document modifications.");
}
}
IHiddenRegion end = original.regionForRootEObject().getNextHiddenRegion();
if (last.getOffset() < end.getOffset()) {
result.add(new Preserve(last, end));
}
return result;
}
@Override
public StringBasedTextRegionAccessDiff create() {
StringBasedTextRegionAccessDiffAppender appender = createAppender();
IEObjectRegion root = original.regionForRootEObject();
appender.copyAndAppend(root.getPreviousHiddenRegion(), PREVIOUS);
appender.copyAndAppend(root.getPreviousHiddenRegion(), CONTAINER);
List<Rewrite> rws = createList();
IHiddenRegion last = null;
for (Rewrite rw : rws) {
boolean diff = rw.isDiff();
if (diff) {
appender.beginDiff();
}
if (rw instanceof Insert) {
Insert ins = (Insert) rw;
IHiddenRegion f = ins.getInsertFirst();
IHiddenRegion l = ins.getInsertLast();
appender.copyAndAppend(f, NEXT);
if (f != l) {
appender.copyAndAppend(f.getNextSemanticRegion(), l.getPreviousSemanticRegion());
}
appender.copyAndAppend(l, PREVIOUS);
}
if (diff) {
appender.endDiff();
}
if (rw.originalLast != last) {
appender.copyAndAppend(rw.originalLast, CONTAINER);
}
last = rw.originalLast;
}
appender.copyAndAppend(root.getNextHiddenRegion(), NEXT);
StringBasedTextRegionAccessDiff result = appender.finish();
AbstractEObjectRegion newRoot = result.regionForEObject(root.getSemanticElement());
result.setRootEObject(newRoot);
return result;
}
protected StringBasedTextRegionAccessDiffAppender createAppender() {
return new StringBasedTextRegionAccessDiffAppender(original, changes);
}
@Override
public ITextRegionAccess getOriginalTextRegionAccess() {
return original;
}
@Override
public boolean isModified(ITextRegion region) {
int offset = region.getOffset();
int endOffset = offset + region.getLength();
for (Rewrite action : rewrites) {
int rwOffset = action.originalFirst.getOffset();
int rwEndOffset = action.originalLast.getEndOffset();
if (rwOffset <= offset && offset < rwEndOffset) {
return true;
}
if (rwOffset < endOffset && endOffset <= rwEndOffset) {
return true;
}
}
return false;
}
@Override
public void move(IHiddenRegion insertAt, IHiddenRegion substituteFirst, IHiddenRegion substituteLast) {
checkOriginal(insertAt);
checkOriginal(substituteFirst);
checkOriginal(substituteLast);
MoveSource source = new MoveSource(substituteFirst, substituteLast);
MoveTarget target = new MoveTarget(insertAt, source);
rewrites.add(source);
rewrites.add(target);
}
@Override
public void remove(IHiddenRegion first, IHiddenRegion last) {
checkOriginal(first);
checkOriginal(last);
rewrites.add(new Remove(first, last));
}
@Override
public void remove(ISemanticRegion region) {
remove(region.getPreviousHiddenRegion(), region.getNextHiddenRegion());
}
@Override
public void replace(IHiddenRegion originalFirst, IHiddenRegion originalLast, IHiddenRegion modifiedFirst,
IHiddenRegion modifiedLast) {
checkOriginal(originalFirst);
checkOriginal(originalLast);
rewrites.add(new Replace1(originalFirst, originalLast, modifiedFirst, modifiedLast));
}
@Override
public void replace(IHiddenRegion originalFirst, IHiddenRegion originalLast, ITextRegionAccess acc) {
checkOriginal(originalFirst);
checkOriginal(originalLast);
IEObjectRegion substituteRoot = acc.regionForRootEObject();
IHiddenRegion substituteFirst = substituteRoot.getPreviousHiddenRegion();
IHiddenRegion substituteLast = substituteRoot.getNextHiddenRegion();
replace(originalFirst, originalLast, substituteFirst, substituteLast);
}
@Override
public void replace(ISemanticRegion region, String newText) {
Preconditions.checkNotNull(newText);
checkOriginal(region);
changes.put(region, newText);
}
@Override
public ISequenceAcceptor replaceSequence(IHiddenRegion originalFirst, IHiddenRegion originalLast,
ISerializationContext ctx, EObject root) {
checkOriginal(originalFirst);
checkOriginal(originalLast);
TextRegionAccessBuildingSequencer sequenceAcceptor = new TextRegionAccessBuildingSequencer();
rewrites.add(new Replace2(originalFirst, originalLast, sequenceAcceptor));
return sequenceAcceptor.withRoot(ctx, root);
}
@Override
public String toString() {
try {
StringBasedTextRegionAccessDiff regions = create();
return new TextRegionAccessToString().withRegionAccess(regions).toString();
} catch (Throwable t) {
return t.getMessage() + "\n" + Throwables.getStackTraceAsString(t);
}
}
} | Java |
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd">
<!--NewPage-->
<HTML>
<HEAD>
<!-- Generated by javadoc (build 1.6.0_21) on Wed Nov 12 14:55:37 EST 2014 -->
<TITLE>
org.eclipse.mylyn.wikitext.markdown.core
</TITLE>
<META NAME="date" CONTENT="2014-11-12">
<LINK REL ="stylesheet" TYPE="text/css" HREF="../../../../../../stylesheet.css" TITLE="Style">
</HEAD>
<BODY BGCOLOR="white">
<FONT size="+1" CLASS="FrameTitleFont">
<A HREF="../../../../../../org/eclipse/mylyn/wikitext/markdown/core/package-summary.html" target="classFrame">org.eclipse.mylyn.wikitext.markdown.core</A></FONT>
<TABLE BORDER="0" WIDTH="100%" SUMMARY="">
<TR>
<TD NOWRAP><FONT size="+1" CLASS="FrameHeadingFont">
Classes</FONT>
<FONT CLASS="FrameItemFont">
<BR>
<A HREF="MarkdownLanguage.html" title="class in org.eclipse.mylyn.wikitext.markdown.core" target="classFrame">MarkdownLanguage</A></FONT></TD>
</TR>
</TABLE>
</BODY>
</HTML>
| Java |
/**
*/
package org.eclipse.papyrus.RobotML.impl;
import org.eclipse.emf.common.notify.Notification;
import org.eclipse.emf.ecore.EClass;
import org.eclipse.emf.ecore.impl.ENotificationImpl;
import org.eclipse.papyrus.RobotML.RobotMLPackage;
import org.eclipse.papyrus.RobotML.RoboticMiddleware;
import org.eclipse.papyrus.RobotML.RoboticMiddlewareKind;
/**
* <!-- begin-user-doc -->
* An implementation of the model object '<em><b>Robotic Middleware</b></em>'.
* <!-- end-user-doc -->
* <p>
* The following features are implemented:
* <ul>
* <li>{@link org.eclipse.papyrus.RobotML.impl.RoboticMiddlewareImpl#getKind <em>Kind</em>}</li>
* </ul>
* </p>
*
* @generated
*/
public class RoboticMiddlewareImpl extends PlatformImpl implements RoboticMiddleware {
/**
* The default value of the '{@link #getKind() <em>Kind</em>}' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @see #getKind()
* @generated
* @ordered
*/
protected static final RoboticMiddlewareKind KIND_EDEFAULT = RoboticMiddlewareKind.RT_MAPS;
/**
* The cached value of the '{@link #getKind() <em>Kind</em>}' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @see #getKind()
* @generated
* @ordered
*/
protected RoboticMiddlewareKind kind = KIND_EDEFAULT;
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
protected RoboticMiddlewareImpl() {
super();
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
@Override
protected EClass eStaticClass() {
return RobotMLPackage.Literals.ROBOTIC_MIDDLEWARE;
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public RoboticMiddlewareKind getKind() {
return kind;
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public void setKind(RoboticMiddlewareKind newKind) {
RoboticMiddlewareKind oldKind = kind;
kind = newKind == null ? KIND_EDEFAULT : newKind;
if (eNotificationRequired())
eNotify(new ENotificationImpl(this, Notification.SET, RobotMLPackage.ROBOTIC_MIDDLEWARE__KIND, oldKind, kind));
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
@Override
public Object eGet(int featureID, boolean resolve, boolean coreType) {
switch (featureID) {
case RobotMLPackage.ROBOTIC_MIDDLEWARE__KIND:
return getKind();
}
return super.eGet(featureID, resolve, coreType);
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
@Override
public void eSet(int featureID, Object newValue) {
switch (featureID) {
case RobotMLPackage.ROBOTIC_MIDDLEWARE__KIND:
setKind((RoboticMiddlewareKind)newValue);
return;
}
super.eSet(featureID, newValue);
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
@Override
public void eUnset(int featureID) {
switch (featureID) {
case RobotMLPackage.ROBOTIC_MIDDLEWARE__KIND:
setKind(KIND_EDEFAULT);
return;
}
super.eUnset(featureID);
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
@Override
public boolean eIsSet(int featureID) {
switch (featureID) {
case RobotMLPackage.ROBOTIC_MIDDLEWARE__KIND:
return kind != KIND_EDEFAULT;
}
return super.eIsSet(featureID);
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
@Override
public String toString() {
if (eIsProxy()) return super.toString();
StringBuffer result = new StringBuffer(super.toString());
result.append(" (kind: ");
result.append(kind);
result.append(')');
return result.toString();
}
} //RoboticMiddlewareImpl
| Java |
/*******************************************************************************
* Copyright (c) 2000, 2016 IBM Corporation and others.
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*
* Based on org.eclipse.jdt.internal.ui.text.javadoc.JavaDocAutoIndentStrategy
*
* Contributors:
* IBM Corporation - initial API and implementation
* Red Hat, Inc - decoupling from jdt.ui
*******************************************************************************/
package org.eclipse.jdt.ls.core.internal.contentassist;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
import org.apache.commons.lang3.StringUtils;
import org.eclipse.core.runtime.CoreException;
import org.eclipse.core.runtime.IProgressMonitor;
import org.eclipse.jdt.core.ICompilationUnit;
import org.eclipse.jdt.core.IJavaElement;
import org.eclipse.jdt.core.IJavaProject;
import org.eclipse.jdt.core.IMember;
import org.eclipse.jdt.core.IMethod;
import org.eclipse.jdt.core.ISourceRange;
import org.eclipse.jdt.core.IType;
import org.eclipse.jdt.core.JavaModelException;
import org.eclipse.jdt.core.manipulation.CodeGeneration;
import org.eclipse.jdt.internal.core.manipulation.StubUtility;
import org.eclipse.jdt.internal.corext.util.MethodOverrideTester;
import org.eclipse.jdt.internal.corext.util.SuperTypeHierarchyCache;
import org.eclipse.jdt.ls.core.internal.JDTUtils;
import org.eclipse.jdt.ls.core.internal.JavaLanguageServerPlugin;
import org.eclipse.jdt.ls.core.internal.handlers.CompletionResolveHandler;
import org.eclipse.jdt.ls.core.internal.handlers.JsonRpcHelpers;
import org.eclipse.jface.text.BadLocationException;
import org.eclipse.jface.text.IDocument;
import org.eclipse.jface.text.IRegion;
import org.eclipse.jface.text.Region;
import org.eclipse.jface.text.TextUtilities;
import org.eclipse.lsp4j.CompletionItem;
import org.eclipse.lsp4j.CompletionItemKind;
import org.eclipse.lsp4j.InsertTextFormat;
import org.eclipse.lsp4j.Range;
import org.eclipse.lsp4j.TextEdit;
public class JavadocCompletionProposal {
private static final String ASTERISK = "*";
private static final String WHITESPACES = " \t";
public static final String JAVA_DOC_COMMENT = "Javadoc comment";
public List<CompletionItem> getProposals(ICompilationUnit cu, int offset, CompletionProposalRequestor collector, IProgressMonitor monitor) throws JavaModelException {
if (cu == null) {
throw new IllegalArgumentException("Compilation unit must not be null"); //$NON-NLS-1$
}
List<CompletionItem> result = new ArrayList<>();
IDocument d = JsonRpcHelpers.toDocument(cu.getBuffer());
if (offset < 0 || d.getLength() == 0) {
return result;
}
try {
int p = (offset == d.getLength() ? offset - 1 : offset);
IRegion line = d.getLineInformationOfOffset(p);
String lineStr = d.get(line.getOffset(), line.getLength()).trim();
if (!lineStr.startsWith("/**")) {
return result;
}
if (!hasEndJavadoc(d, offset)) {
return result;
}
String text = collector.getContext().getToken() == null ? "" : new String(collector.getContext().getToken());
StringBuilder buf = new StringBuilder(text);
IRegion prefix = findPrefixRange(d, line);
String indentation = d.get(prefix.getOffset(), prefix.getLength());
int lengthToAdd = Math.min(offset - prefix.getOffset(), prefix.getLength());
buf.append(indentation.substring(0, lengthToAdd));
String lineDelimiter = TextUtilities.getDefaultLineDelimiter(d);
ICompilationUnit unit = cu;
try {
unit.reconcile(ICompilationUnit.NO_AST, false, null, null);
String string = createJavaDocTags(d, offset, indentation, lineDelimiter, unit);
if (string != null && !string.trim().equals(ASTERISK)) {
buf.append(string);
} else {
return result;
}
int nextNonWS = findEndOfWhiteSpace(d, offset, d.getLength());
if (!Character.isWhitespace(d.getChar(nextNonWS))) {
buf.append(lineDelimiter);
}
} catch (CoreException e) {
// ignore
}
final CompletionItem ci = new CompletionItem();
Range range = JDTUtils.toRange(unit, offset, 0);
boolean isSnippetSupported = JavaLanguageServerPlugin.getPreferencesManager().getClientPreferences().isCompletionSnippetsSupported();
String replacement = prepareTemplate(buf.toString(), lineDelimiter, isSnippetSupported);
ci.setTextEdit(new TextEdit(range, replacement));
ci.setFilterText(JAVA_DOC_COMMENT);
ci.setLabel(JAVA_DOC_COMMENT);
ci.setSortText(SortTextHelper.convertRelevance(0));
ci.setKind(CompletionItemKind.Snippet);
ci.setInsertTextFormat(isSnippetSupported ? InsertTextFormat.Snippet : InsertTextFormat.PlainText);
String documentation = prepareTemplate(buf.toString(), lineDelimiter, false);
if (documentation.indexOf(lineDelimiter) == 0) {
documentation = documentation.replaceFirst(lineDelimiter, "");
}
ci.setDocumentation(documentation);
Map<String, String> data = new HashMap<>(3);
data.put(CompletionResolveHandler.DATA_FIELD_URI, JDTUtils.toURI(cu));
data.put(CompletionResolveHandler.DATA_FIELD_REQUEST_ID, "0");
data.put(CompletionResolveHandler.DATA_FIELD_PROPOSAL_ID, "0");
ci.setData(data);
result.add(ci);
} catch (BadLocationException excp) {
// stop work
}
return result;
}
private String prepareTemplate(String text, String lineDelimiter, boolean addGap) {
boolean endWithLineDelimiter = text.endsWith(lineDelimiter);
String[] lines = text.split(lineDelimiter);
StringBuilder buf = new StringBuilder();
for (int i = 0; i < lines.length; i++) {
String line = lines[i];
if (addGap) {
String stripped = StringUtils.stripStart(line, WHITESPACES);
if (stripped.startsWith(ASTERISK)) {
if (!stripped.equals(ASTERISK)) {
int index = line.indexOf(ASTERISK);
buf.append(line.substring(0, index + 1));
buf.append(" ${0}");
buf.append(lineDelimiter);
}
addGap = false;
}
}
buf.append(StringUtils.stripEnd(line, WHITESPACES));
if (i < lines.length - 1 || endWithLineDelimiter) {
buf.append(lineDelimiter);
}
}
return buf.toString();
}
private IRegion findPrefixRange(IDocument document, IRegion line) throws BadLocationException {
int lineOffset = line.getOffset();
int lineEnd = lineOffset + line.getLength();
int indentEnd = findEndOfWhiteSpace(document, lineOffset, lineEnd);
if (indentEnd < lineEnd && document.getChar(indentEnd) == '*') {
indentEnd++;
while (indentEnd < lineEnd && document.getChar(indentEnd) == ' ') {
indentEnd++;
}
}
return new Region(lineOffset, indentEnd - lineOffset);
}
private int findEndOfWhiteSpace(IDocument document, int offset, int end) throws BadLocationException {
while (offset < end) {
char c = document.getChar(offset);
if (c != ' ' && c != '\t') {
return offset;
}
offset++;
}
return end;
}
private boolean hasEndJavadoc(IDocument document, int offset) throws BadLocationException {
int pos = -1;
while (offset < document.getLength()) {
char c = document.getChar(offset);
if (!Character.isWhitespace(c) && !(c == '*')) {
pos = offset;
break;
}
offset++;
}
if (document.getLength() >= pos + 2 && document.get(pos - 1, 2).equals("*/")) {
return true;
}
return false;
}
private String createJavaDocTags(IDocument document, int offset, String indentation, String lineDelimiter, ICompilationUnit unit) throws CoreException, BadLocationException {
IJavaElement element = unit.getElementAt(offset);
if (element == null) {
return null;
}
switch (element.getElementType()) {
case IJavaElement.TYPE:
return createTypeTags(document, offset, indentation, lineDelimiter, (IType) element);
case IJavaElement.METHOD:
return createMethodTags(document, offset, indentation, lineDelimiter, (IMethod) element);
default:
return null;
}
}
private String createTypeTags(IDocument document, int offset, String indentation, String lineDelimiter, IType type) throws CoreException, BadLocationException {
if (!accept(offset, type)) {
return null;
}
String[] typeParamNames = StubUtility.getTypeParameterNames(type.getTypeParameters());
String comment = CodeGeneration.getTypeComment(type.getCompilationUnit(), type.getTypeQualifiedName('.'), typeParamNames, lineDelimiter);
if (comment != null) {
return prepareTemplateComment(comment.trim(), indentation, type.getJavaProject(), lineDelimiter);
}
return null;
}
private boolean accept(int offset, IMember member) throws JavaModelException {
ISourceRange nameRange = member.getNameRange();
if (nameRange == null) {
return false;
}
int srcOffset = nameRange.getOffset();
return srcOffset > offset;
}
private String createMethodTags(IDocument document, int offset, String indentation, String lineDelimiter, IMethod method) throws CoreException, BadLocationException {
if (!accept(offset, method)) {
return null;
}
IMethod inheritedMethod = getInheritedMethod(method);
String comment = CodeGeneration.getMethodComment(method, inheritedMethod, lineDelimiter);
if (comment != null) {
comment = comment.trim();
boolean javadocComment = comment.startsWith("/**"); //$NON-NLS-1$
if (javadocComment) {
return prepareTemplateComment(comment, indentation, method.getJavaProject(), lineDelimiter);
}
}
return null;
}
private String prepareTemplateComment(String comment, String indentation, IJavaProject project, String lineDelimiter) {
// trim comment start and end if any
if (comment.endsWith("*/")) {
comment = comment.substring(0, comment.length() - 2);
}
comment = comment.trim();
if (comment.startsWith("/*")) { //$NON-NLS-1$
if (comment.length() > 2 && comment.charAt(2) == '*') {
comment = comment.substring(3); // remove '/**'
} else {
comment = comment.substring(2); // remove '/*'
}
}
// trim leading spaces, but not new lines
int nonSpace = 0;
int len = comment.length();
while (nonSpace < len && Character.getType(comment.charAt(nonSpace)) == Character.SPACE_SEPARATOR) {
nonSpace++;
}
comment = comment.substring(nonSpace);
return comment;
}
private IMethod getInheritedMethod(IMethod method) throws JavaModelException {
IType declaringType = method.getDeclaringType();
MethodOverrideTester tester = SuperTypeHierarchyCache.getMethodOverrideTester(declaringType);
return tester.findOverriddenMethod(method, true);
}
}
| Java |
package mx.com.cinepolis.digital.booking.commons.exception;
/**
* Clase con los códigos de errores para las excepciones
* @author rgarcia
*
*/
public enum DigitalBookingExceptionCode
{
/** Error desconocido */
GENERIC_UNKNOWN_ERROR(0),
/***
* CATALOG NULO
*/
CATALOG_ISNULL(1),
/**
* Paging Request Nulo
*/
PAGING_REQUEST_ISNULL(2),
/**
* Errores de persistencia
*/
PERSISTENCE_ERROR_GENERIC(3),
PERSISTENCE_ERROR_NEW_OBJECT_FOUND_DURING_COMMIT(4),
PERSISTENCE_ERROR_CATALOG_ALREADY_REGISTERED(5),
PERSISTENCE_ERROR_CATALOG_NOT_FOUND(6),
PERSISTENCE_ERROR_CATALOG_ALREADY_REGISTERED_WITH_ID_VISTA(7),
PERSISTENCE_ERROR_WEEK_ALREADY_REGISTERED(8),
/**
* Errores de Administración de Catalogos
*/
THEATER_NUM_THEATER_ALREADY_EXISTS(9),
CANNOT_DELETE_REGION(10),
INEXISTENT_REGION(11),
INVALID_TERRITORY(12),
THEATER_IS_NULL(13),
THEATER_IS_NOT_IN_ANY_REGION(14),
THEATER_NOT_HAVE_SCREENS(15),
INEXISTENT_THEATER(16),
THEATER_IS_NOT_IN_ANY_CITY(17),
THEATER_IS_NOT_IN_ANY_STATE(18),
INVALID_SCREEN(19),
INVALID_MOVIE_FORMATS(20),
INVALID_SOUND_FORMATS(21),
FILE_NULL(22),
EVENT_MOVIE_NULL(23),
/**
* Errores de Administración de cines
*/
SCREEN_NUMBER_ALREADY_EXISTS(24),
SCREEN_NEEDS_AT_LEAST_ONE_SOUND_FORMAT(25),
SCREEN_NEEDS_AT_LEAST_ONE_MOVIE_FORMAT(26),
DISTRIBUTOR_IS_ASSOCIATED_WITH_AN_EXISTING_MOVIE(27),
CATEGORY_SOUND_FORMAT_IS_ASSOCIATED_WITH_AN_EXISTING_MOVIE(28),
CATEGORY_SOUND_FORMAT_IS_ASSOCIATED_WITH_AN_EXISTING_SCREEN(29),
CATEGORY_MOVIE_FORMAT_IS_ASSOCIATED_WITH_AN_EXISTING_MOVIE(30),
CATEGORY_MOVIE_FORMAT_IS_ASSOCIATED_WITH_AN_EXISTING_SCREEN(31),
CATEGORY_SCREEN_FORMAT_IS_ASSOCIATED_WITH_AN_EXISTING_SCREEN(39),
SCREEN_NEEDS_SCREEN_FORMAT(32),
MOVIE_NAME_BLANK(33),
MOVIE_DISTRIBUTOR_NULL(35),
MOVIE_COUNTRIES_EMPTY(36),
MOVIE_DETAIL_EMPTY(37),
MOVIE_IMAGE_NULL(38),
/**
* Booking errors
*/
BOOKING_PERSISTENCE_ERROR_STATUS_NOT_FOUND(40),
BOOKING_PERSISTENCE_ERROR_EVENT_NOT_FOUND(41),
BOOKING_PERSISTENCE_ERROR_THEATER_NOT_FOUND(42),
BOOKING_PERSISTENCE_ERROR_WEEK_NOT_FOUND(43),
BOOKING_PERSISTENCE_ERROR_BOOKING_NOT_FOUND(44),
BOOKING_PERSISTENCE_ERROR_USER_NOT_FOUND(45),
BOOKING_PERSISTENCE_ERROR_EVENT_TYPE_NOT_FOUND(46),
BOOKING_PERSISTENCE_ERROR_AT_CONSULT_BOOKINGS(221),
/**
* Week errors
*/
WEEK_PERSISTENCE_ERROR_NOT_FOUND(50),
/**
* Observation errors
*/
NEWS_FEED_OBSERVATION_NOT_FOUND(51),
BOOKING_OBSERVATION_NOT_FOUND2(52),
OBSERVATION_NOT_FOUND(53),
NEWS_FEED_OBSERVATION_ASSOCIATED_TO_ANOTHER_USER(103),
/**
* Email Errors
*/
EMAIL_DOES_NOT_COMPLIES_REGEX(54),
EMAIL_IS_REPEATED(55),
/**
* Configuration Errors
*/
CONFIGURATION_ID_IS_NULL(60),
CONFIGURATION_NAME_IS_NULL(61),
CONFIGURATION_PARAMETER_NOT_FOUND(62),
/**
* Email Errors
*/
ERROR_SENDING_EMAIL_NO_DATA(70),
ERROR_SENDING_EMAIL_NO_RECIPIENTS(71),
ERROR_SENDING_EMAIL_SUBJECT(72),
ERROR_SENDING_EMAIL_MESSAGE(73),
/**
* Booking errors
*/
BOOKING_IS_NULL(74),
BOOKING_COPIES_IS_NULL(75),
BOOKING_WEEK_NULL(76),
BOOKING_EVENT_NULL(77),
BOOKING_WRONG_STATUS_FOR_CANCELLATION(78),
BOOKING_WRONG_STATUS_FOR_TERMINATION(79),
BOOKING_THEATER_NEEDS_WEEK_ID(80),
BOOKING_THEATER_NEEDS_THEATER_ID(81),
BOOKING_NUMBER_COPIES_ZERO(82),
BOOKING_NUM_SCREENS_GREATER_NUM_COPIES(83),
BOOKING_CAN_NOT_BE_CANCELED(84),
BOOKING_CAN_NOT_BE_TERMINATED(85),
BOOKING_WRONG_STATUS_FOR_EDITION(86),
ERROR_THEATER_HAS_NO_EMAIL(87),
BOOKING_NUMBER_OF_COPIES_EXCEEDS_NUMBER_OF_SCREENS(88),
BOOKING_NON_EDITABLE_WEEK(89),
BOOKING_THEATER_REPEATED(90),
BOOKING_IS_WEEK_ONE(91),
BOOKING_THEATER_HAS_SCREEN_ZERO(92),
BOOKING_MAXIMUM_COPY(93),
BOOKING_NOT_SAVED_FOR_CANCELLATION(94),
BOOKING_NOT_SAVED_FOR_TERMINATION(194),
BOOKING_NOT_THEATERS_IN_REGION(196),
BOOKING_NUMBER_OF_COPIES_EXCEEDS_NUMBER_OF_SCREENS_WHIT_THIS_FORMAT(195),
BOOKING_NUM_SCREENS_GREATER_NUM_COPIES_NO_THEATER(95),
BOOKING_SENT_CAN_NOT_BE_CANCELED(96),
BOOKING_SENT_CAN_NOT_BE_TERMINATED(97),
BOOKING_WITH_FOLLOWING_WEEK_CAN_NOT_BE_CANCELED(98),
BOOKING_WITH_FOLLOWING_WEEK_CAN_NOT_BE_TERMINATED(99),
/**
* Report errors
*/
CREATE_XLSX_ERROR(100),
BOOKING_THEATER_IS_NOT_ASSIGNED_TO_ANY_SCREEN(101),
SEND_EMAIL_REGION_ERROR_CAN_ONLY_UPLOAD_UP_TO_TWO_FILES(102),
/**
* Security errors
*/
SECURITY_ERROR_USER_DOES_NOT_EXISTS(200),
SECURITY_ERROR_PASSWORD_INVALID(201),
SECURITY_ERROR_INVALID_USER(202),
MENU_EXCEPTION(203),
/**
* UserErrors
*/
USER_IS_NULL(204),
USER_USERNAME_IS_BLANK(205),
USER_NAME_IS_BLANK(206),
USER_LAST_NAME_IS_BLANK(207),
USER_ROLE_IS_NULL(208),
USER_EMAIL_IS_NULL(209),
USER_THE_USERNAME_IS_DUPLICATE(210),
USER_TRY_DELETE_OWN_USER(211),
/**
* Week errors
*/
WEEK_IS_NULL(212),
WEEK_INVALID_NUMBER(213),
WEEK_INVALID_YEAR(214),
WEEK_INVALID_FINAL_DAY(215),
/**
* EventMovie errors
*/
EVENT_CODE_DBS_NULL(216),
CATALOG_ALREADY_REGISTERED_WITH_DS_CODE_DBS(217),
CATALOG_ALREADY_REGISTERED_WITH_SHORT_NAME(218),
CANNOT_DELETE_WEEK(219),
CANNOT_REMOVE_EVENT_MOVIE(220),
/**
* Income errors
*/
INCOMES_COULD_NOT_OBTAIN_DATABASE_PROPERTIES(300),
INCOMES_DRIVER_ERROR(301),
INCOMES_CONNECTION_ERROR(302),
/**
* SynchronizeErrors
*/
CANNOT_CONNECT_TO_SERVICE(500),
/**
* Transaction timeout
*/
TRANSACTION_TIMEOUT(501),
/**
* INVALID PARAMETERS FOR BOOKING PRE RELEASE
*/
INVALID_COPIES_PARAMETER(600),
INVALID_DATES_PARAMETERS(601),
INVALID_SCREEN_PARAMETER_CASE_ONE(602),
INVALID_SCREEN_PARAMETER_CASE_TWO(603),
INVALID_DATES_BEFORE_TODAY_PARAMETERS(604),
INVALID_PRESALE_DATES_PARAMETERS(605),
/**
* VALIDATIONS FOR PRESALE IN BOOKING MOVIE
*/
ERROR_BOOKING_PRESALE_FOR_NO_PREMIERE(606),
ERROR_BOOKING_PRESALE_FOR_ZERO_SCREEN(607),
ERROR_BOOKING_PRESALE_NOT_ASSOCIATED_AT_BOOKING(608),
/**
* INVALID SELECTION OF PARAMETERS
* TO APPLY IN SPECIAL EVENT
*/
INVALID_STARTING_DATES(617),
INVALID_FINAL_DATES(618),
INVALID_STARTING_AND_RELREASE_DATES(619),
INVALID_THEATER_SELECTION(620),
INVALID_SCREEN_SELECTION(621),
BOOKING_THEATER_NULL(622),
BOOKING_TYPE_INVALID(623),
BOOKING_SPECIAL_EVENT_LIST_EMPTY(624),
/**
* Invalid datetime range for system log.
*/
LOG_FINAL_DATE_BEFORE_START_DATE(625),
LOG_INVALID_DATE_RANGE(626),
LOG_INVALID_TIME_RANGE(627),
/**
* Invavlid cityTO
*/
CITY_IS_NULL(628),
CITY_HAS_NO_NAME(629),
CITY_HAS_NO_COUNTRY(630),
CITY_INVALID_LIQUIDATION_ID(631),
PERSISTENCE_ERROR_CATALOG_ALREADY_REGISTERED_WITH_LIQUIDATION_ID(632)
;
/**
* Constructor interno
*
* @param id
*/
private DigitalBookingExceptionCode( int id )
{
this.id = id;
}
private int id;
/**
* @return the id
*/
public int getId()
{
return id;
}
}
| Java |
package com.temenos.soa.plugin.uml2dsconverter.utils;
// General String utilities
public class StringUtils {
/**
* Turns the first character of a string in to an uppercase character
* @param source The source string
* @return String Resultant string
*/
public static String upperInitialCharacter(String source) {
final StringBuilder result = new StringBuilder(source.length());
result.append(Character.toUpperCase(source.charAt(0))).append(source.substring(1));
return result.toString();
}
/**
* Turns the first character of a string in to a lowercase character
* @param source The source string
* @return String Resultant string
*/
public static String lowerInitialCharacter(String source) {
final StringBuilder result = new StringBuilder(source.length());
result.append(Character.toLowerCase(source.charAt(0))).append(source.substring(1));
return result.toString();
}
}
| Java |
# -*- coding: utf-8 -*-
#
# Phaser Editor documentation build configuration file, created by
# sphinx-quickstart on Thu May 25 08:35:14 2017.
#
# This file is execfile()d with the current directory set to its
# containing dir.
#
# Note that not all possible configuration values are present in this
# autogenerated file.
#
# All configuration values have a default; values that are commented out
# serve to show the default.
# If extensions (or modules to document with autodoc) are in another directory,
# add these directories to sys.path here. If the directory is relative to the
# documentation root, use os.path.abspath to make it absolute, like shown here.
#
# import os
# import sys
# sys.path.insert(0, os.path.abspath('.'))
# -- General configuration ------------------------------------------------
# If your documentation needs a minimal Sphinx version, state it here.
#
# needs_sphinx = '1.0'
# Add any Sphinx extension module names here, as strings. They can be
# extensions coming with Sphinx (named 'sphinx.ext.*') or your custom
# ones.
extensions = [
#'rinoh.frontend.sphinx'
]
# Add any paths that contain templates here, relative to this directory.
templates_path = ['_templates']
# The suffix(es) of source filenames.
# You can specify multiple suffix as a list of string:
#
# source_suffix = ['.rst', '.md']
source_suffix = '.rst'
# The master toctree document.
master_doc = 'index'
# General information about the project.
project = u'Phaser Editor 2D'
copyright = u'2016-2020, Arian Fornaris'
author = u'Arian Fornaris'
# The version info for the project you're documenting, acts as replacement for
# |version| and |release|, also used in various other places throughout the
# built documents.
#
# The short X.Y version.
version = u'2.1.7'
# The full version, including alpha/beta/rc tags.
release = u'2.1.7'
# The language for content autogenerated by Sphinx. Refer to documentation
# for a list of supported languages.
#
# This is also used if you do content translation via gettext catalogs.
# Usually you set "language" from the command line for these cases.
language = None
# List of patterns, relative to source directory, that match files and
# directories to ignore when looking for source files.
# This patterns also effect to html_static_path and html_extra_path
exclude_patterns = ['_build', 'Thumbs.db', '.DS_Store']
# The name of the Pygments (syntax highlighting) style to use.
# pygments_style = 'sphinx'
# If true, `todo` and `todoList` produce output, else they produce nothing.
todo_include_todos = False
# -- Options for HTML output ----------------------------------------------
# The theme to use for HTML and HTML Help pages. See the documentation for
# a list of builtin themes.
#
#import sphinx_rtd_theme
html_theme = "phaser-editor"
# Uncomment for generate Eclipse Offline Help
#html_theme = "eclipse-help"
html_theme_path = ["_themes"]
html_show_sourcelink = False
html_show_sphinx = False
html_favicon = "logo.png"
html_title = "Phaser Editor Help"
html_show_copyright = True
print(html_theme_path)
#html_theme = 'classic'
highlight_language = 'javascript'
# Theme options are theme-specific and customize the look and feel of a theme
# further. For a list of options available for each theme, see the
# documentation.
#
# html_theme_options = {}
# Add any paths that contain custom static files (such as style sheets) here,
# relative to this directory. They are copied after the builtin static files,
# so a file named "default.css" will overwrite the builtin "default.css".
html_static_path = ['_static']
# -- Options for HTMLHelp output ------------------------------------------
# Output file base name for HTML help builder.
htmlhelp_basename = 'PhaserEditordoc'
# -- Options for LaTeX output ---------------------------------------------
latex_elements = {
# The paper size ('letterpaper' or 'a4paper').
#
'papersize': 'letterpaper',
# The font size ('10pt', '11pt' or '12pt').
#
'pointsize': '10pt',
# Additional stuff for the LaTeX preamble.
#
'preamble': '',
# Latex figure (float) alignment
#
'figure_align': 'htbp',
}
# Grouping the document tree into LaTeX files. List of tuples
# (source start file, target name, title,
# author, documentclass [howto, manual, or own class]).
latex_documents = [
(master_doc, 'PhaserEditor2D.tex', u'Phaser Editor 2D Documentation',
u'Arian Fornaris', 'manual'),
]
# -- Options for Texinfo output -------------------------------------------
# Grouping the document tree into Texinfo files. List of tuples
# (source start file, target name, title, author,
# dir menu entry, description, category)
texinfo_documents = [
(master_doc, 'PhaserEditor2D', u'Phaser Editor 2D Documentation',
author, 'Arian', 'A friendly HTML5 game IDE.',
'Miscellaneous'),
]
| Java |
/******************************************************************************
* Copyright (c) 2000-2015 Ericsson Telecom AB
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
******************************************************************************/
package org.eclipse.titan.designer.AST.TTCN3.values.expressions;
import java.util.List;
import org.eclipse.titan.designer.AST.ASTVisitor;
import org.eclipse.titan.designer.AST.INamedNode;
import org.eclipse.titan.designer.AST.IReferenceChain;
import org.eclipse.titan.designer.AST.IValue;
import org.eclipse.titan.designer.AST.ReferenceFinder;
import org.eclipse.titan.designer.AST.Scope;
import org.eclipse.titan.designer.AST.Value;
import org.eclipse.titan.designer.AST.IType.Type_type;
import org.eclipse.titan.designer.AST.ReferenceFinder.Hit;
import org.eclipse.titan.designer.AST.TTCN3.Expected_Value_type;
import org.eclipse.titan.designer.AST.TTCN3.values.Expression_Value;
import org.eclipse.titan.designer.AST.TTCN3.values.Hexstring_Value;
import org.eclipse.titan.designer.AST.TTCN3.values.Octetstring_Value;
import org.eclipse.titan.designer.parsers.CompilationTimeStamp;
import org.eclipse.titan.designer.parsers.ttcn3parser.ReParseException;
import org.eclipse.titan.designer.parsers.ttcn3parser.TTCN3ReparseUpdater;
/**
* @author Kristof Szabados
* */
public final class Hex2OctExpression extends Expression_Value {
private static final String OPERANDERROR = "The operand of the `hex2oct' operation should be a hexstring value";
private final Value value;
public Hex2OctExpression(final Value value) {
this.value = value;
if (value != null) {
value.setFullNameParent(this);
}
}
@Override
public Operation_type getOperationType() {
return Operation_type.HEX2OCT_OPERATION;
}
@Override
public String createStringRepresentation() {
final StringBuilder builder = new StringBuilder();
builder.append("hex2oct(").append(value.createStringRepresentation()).append(')');
return builder.toString();
}
@Override
public void setMyScope(final Scope scope) {
super.setMyScope(scope);
if (value != null) {
value.setMyScope(scope);
}
}
@Override
public StringBuilder getFullName(final INamedNode child) {
final StringBuilder builder = super.getFullName(child);
if (value == child) {
return builder.append(OPERAND);
}
return builder;
}
@Override
public Type_type getExpressionReturntype(final CompilationTimeStamp timestamp, final Expected_Value_type expectedValue) {
return Type_type.TYPE_OCTETSTRING;
}
@Override
public boolean isUnfoldable(final CompilationTimeStamp timestamp, final Expected_Value_type expectedValue,
final IReferenceChain referenceChain) {
if (value == null) {
return true;
}
return value.isUnfoldable(timestamp, expectedValue, referenceChain);
}
/**
* Checks the parameters of the expression and if they are valid in
* their position in the expression or not.
*
* @param timestamp
* the timestamp of the actual semantic check cycle.
* @param expectedValue
* the kind of value expected.
* @param referenceChain
* a reference chain to detect cyclic references.
* */
private void checkExpressionOperands(final CompilationTimeStamp timestamp, final Expected_Value_type expectedValue,
final IReferenceChain referenceChain) {
if (value == null) {
return;
}
value.setLoweridToReference(timestamp);
Type_type tempType = value.getExpressionReturntype(timestamp, expectedValue);
switch (tempType) {
case TYPE_HEXSTRING:
value.getValueRefdLast(timestamp, expectedValue, referenceChain);
return;
case TYPE_UNDEFINED:
setIsErroneous(true);
return;
default:
if (!isErroneous) {
location.reportSemanticError(OPERANDERROR);
setIsErroneous(true);
}
return;
}
}
@Override
public IValue evaluateValue(final CompilationTimeStamp timestamp, final Expected_Value_type expectedValue,
final IReferenceChain referenceChain) {
if (lastTimeChecked != null && !lastTimeChecked.isLess(timestamp)) {
return lastValue;
}
isErroneous = false;
lastTimeChecked = timestamp;
lastValue = this;
if (value == null) {
return lastValue;
}
checkExpressionOperands(timestamp, expectedValue, referenceChain);
if (getIsErroneous(timestamp)) {
return lastValue;
}
if (isUnfoldable(timestamp, referenceChain)) {
return lastValue;
}
IValue last = value.getValueRefdLast(timestamp, referenceChain);
if (last.getIsErroneous(timestamp)) {
setIsErroneous(true);
return lastValue;
}
switch (last.getValuetype()) {
case HEXSTRING_VALUE:
String temp = ((Hexstring_Value) last).getValue();
lastValue = new Octetstring_Value(hex2oct(temp));
lastValue.copyGeneralProperties(this);
break;
default:
setIsErroneous(true);
break;
}
return lastValue;
}
public static String hex2oct(final String hexString) {
if (hexString.length() % 2 == 0) {
return hexString;
}
return new StringBuilder(hexString.length() + 1).append('0').append(hexString).toString();
}
@Override
public void checkRecursions(final CompilationTimeStamp timestamp, final IReferenceChain referenceChain) {
if (referenceChain.add(this) && value != null) {
referenceChain.markState();
value.checkRecursions(timestamp, referenceChain);
referenceChain.previousState();
}
}
@Override
public void updateSyntax(final TTCN3ReparseUpdater reparser, final boolean isDamaged) throws ReParseException {
if (isDamaged) {
throw new ReParseException();
}
if (value != null) {
value.updateSyntax(reparser, false);
reparser.updateLocation(value.getLocation());
}
}
@Override
public void findReferences(final ReferenceFinder referenceFinder, final List<Hit> foundIdentifiers) {
if (value == null) {
return;
}
value.findReferences(referenceFinder, foundIdentifiers);
}
@Override
protected boolean memberAccept(final ASTVisitor v) {
if (value != null && !value.accept(v)) {
return false;
}
return true;
}
}
| Java |
<?xml version='1.0' encoding='utf-8'?>
<!DOCTYPE html
PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html lang="en" xml:lang="en">
<head>
<meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
<meta name="copyright" content="(C) Copyright 2010" />
<meta name="DC.rights.owner" content="(C) Copyright 2010" />
<meta name="DC.Type" content="concept" />
<meta name="DC.Title" content="Selecting and Using a Font" />
<meta name="DC.Relation" scheme="URI" content="GUID-98B85D7F-7BD9-5056-A99F-0BC99D921B87.html" />
<meta name="DC.Relation" scheme="URI" content="GUID-72986B3C-047C-5411-8F15-BC9C65C3289C.html" />
<meta name="DC.Relation" scheme="URI" content="index.html" />
<meta name="DC.Relation" scheme="URI" content="GUID-32E29020-1956-461A-B79A-1492E06049E7.html" />
<meta name="DC.Relation" scheme="URI" content="GUID-1DCA2F4D-ABE6-52A0-AC4E-5AAC1AB5909D.html" />
<meta name="DC.Relation" scheme="URI" content="GUID-762A665F-43D0-53ED-B698-0CBD3AC46391.html" />
<meta name="DC.Relation" scheme="URI" content="GUID-98B85D7F-7BD9-5056-A99F-0BC99D921B87.html" />
<meta name="DC.Relation" scheme="URI" content="GUID-C1B080D9-9C6C-520B-B73E-4EB344B1FC5E.html" />
<meta name="DC.Relation" scheme="URI" content="GUID-90644B52-69D7-595C-95E3-D6F7A30C060D.html" />
<meta name="DC.Relation" scheme="URI" content="GUID-71DADA82-3ABC-52D2-8360-33FAEB2E5DE9.html" />
<meta name="DC.Relation" scheme="URI" content="GUID-416A3756-B5D5-5BCD-830E-2371C5F6B502.html" />
<meta name="DC.Format" content="XHTML" />
<meta name="DC.Identifier" content="GUID-78FB26E2-AA60-5531-B2FE-4FA6C88F2D47" />
<meta name="DC.Language" content="en" />
<link rel="stylesheet" type="text/css" href="commonltr.css" />
<title>
Selecting and Using a Font
</title>
<link type="text/css" rel="stylesheet" href="css/common.css" media="screen"/>
<link type="text/css" rel="stylesheet" href="css/sdl.css" media="screen"/>
<!--[if IE]>
<link href="css/iefix.css" rel="stylesheet" type="text/css" media="screen" />
<![endif]-->
<link rel="stylesheet" type="text/css" href="nokiacxxref.css" />
</head>
<body id="GUID-78FB26E2-AA60-5531-B2FE-4FA6C88F2D47">
<a name="GUID-78FB26E2-AA60-5531-B2FE-4FA6C88F2D47">
<!-- -->
</a>
<?php include_once (CURRENT_SKIN_PATH.'/sdl_header.html'); ?>
<div id="sdl_container">
<div id="leftMenu">
<div id="expandcontractdiv">
<a id="collapseTree" href="javascript:tree.collapseAll()">
Collapse all
</a>
<a id="index" href="index.html">
Symbian^3 Application Developer Library
</a>
</div>
<iframe style="border:none" height="800" width="300" src="index-toc.html"></iframe>
<div id="treeDiv1">
 
</div>
<script type="text/javascript">
var currentIconMode = 0; window.name="id2470542 id2400118 id2400126 id2400140 ";
YAHOO.util.Event.onDOMReady(buildTree, this,true);
</script>
</div>
<div id="sdl_content">
<div class="breadcrumb">
<a href="index.html" title="Symbian^3 Application Developer Library">
Symbian^3 Application Developer Library
</a>
>
<a href="GUID-32E29020-1956-461A-B79A-1492E06049E7.html" title="The Symbian Guide describes the architecture and functionality of the platform, and provides guides on using its APIs.">
Symbian Guide
</a>
>
<a href="GUID-1DCA2F4D-ABE6-52A0-AC4E-5AAC1AB5909D.html">
Text and Localization Guide
</a>
>
<a href="GUID-762A665F-43D0-53ED-B698-0CBD3AC46391.html" title="The Font and Text Services Collection contains the Font Store and related plug-ins and the Text Rendering component. Application developers can select fonts from the Font Store. Device creators can create and add fonts.">
Font and Text Services Collection
</a>
>
<a href="GUID-98B85D7F-7BD9-5056-A99F-0BC99D921B87.html" title="You can use the Font and Text Services to select a font or typeface for your text.">
Font and Text Services Tutorials
</a>
>
</div>
<h1 class="topictitle1">
Selecting and Using a Font
</h1>
<div>
<p>
To select a font you must create a specification that defines the characteristics of the font that you require. The fonts available are specific to the current graphics device (normally the screen device). The graphics device uses the Font and Bitmap server to access the Font Store. The Font Store finds the best match from the fonts installed.
</p>
<p>
The current font is part of the current graphics context. Once the font system has selected a font to match your specification you must update the current context to use the new font.
</p>
<a name="GUID-78FB26E2-AA60-5531-B2FE-4FA6C88F2D47__GUID-C4671145-FEDE-5A82-8085-7E5802545DE9">
<!-- -->
</a>
<ol id="GUID-78FB26E2-AA60-5531-B2FE-4FA6C88F2D47__GUID-C4671145-FEDE-5A82-8085-7E5802545DE9">
<li id="GUID-78FB26E2-AA60-5531-B2FE-4FA6C88F2D47__GUID-66508D29-FC01-5B64-A043-759503EC04FF">
<a name="GUID-78FB26E2-AA60-5531-B2FE-4FA6C88F2D47__GUID-66508D29-FC01-5B64-A043-759503EC04FF">
<!-- -->
</a>
<p>
Set up a font specification (
<samp class="codeph">
TFontSpec
</samp>
).
</p>
</li>
<li id="GUID-78FB26E2-AA60-5531-B2FE-4FA6C88F2D47__GUID-E6F70C38-003C-5AFF-B73D-67244058FFCF">
<a name="GUID-78FB26E2-AA60-5531-B2FE-4FA6C88F2D47__GUID-E6F70C38-003C-5AFF-B73D-67244058FFCF">
<!-- -->
</a>
<p>
Create a
<samp class="codeph">
CFont
</samp>
pointer. The font itself will be allocated by FBServ on the shared heap. This pointer will not be used to allocate or free any memory.
</p>
</li>
<li id="GUID-78FB26E2-AA60-5531-B2FE-4FA6C88F2D47__GUID-93C743E0-2689-5AA3-8F24-937C38D7A7BB">
<a name="GUID-78FB26E2-AA60-5531-B2FE-4FA6C88F2D47__GUID-93C743E0-2689-5AA3-8F24-937C38D7A7BB">
<!-- -->
</a>
<p>
Use the font spec and the font pointer to obtain a font from the Font Store. This must be done through the screen device.
</p>
</li>
<li id="GUID-78FB26E2-AA60-5531-B2FE-4FA6C88F2D47__GUID-9DB15BD2-8014-59AC-94CA-30161E3DB553">
<a name="GUID-78FB26E2-AA60-5531-B2FE-4FA6C88F2D47__GUID-9DB15BD2-8014-59AC-94CA-30161E3DB553">
<!-- -->
</a>
<p>
Set the graphic context's current font to the
<samp class="codeph">
CFont
</samp>
obtained from the Font Store.
</p>
</li>
<li id="GUID-78FB26E2-AA60-5531-B2FE-4FA6C88F2D47__GUID-2F9586D4-5C1C-5ADC-A816-4AE7C29CA44A">
<a name="GUID-78FB26E2-AA60-5531-B2FE-4FA6C88F2D47__GUID-2F9586D4-5C1C-5ADC-A816-4AE7C29CA44A">
<!-- -->
</a>
<p>
Use the font.
</p>
</li>
<li id="GUID-78FB26E2-AA60-5531-B2FE-4FA6C88F2D47__GUID-DAB05CE0-1710-5B79-A921-41BFDEF8B1FD">
<a name="GUID-78FB26E2-AA60-5531-B2FE-4FA6C88F2D47__GUID-DAB05CE0-1710-5B79-A921-41BFDEF8B1FD">
<!-- -->
</a>
<p>
Tidy up by discarding the font from the graphics context and releasing it from the graphics device.
</p>
</li>
</ol>
<pre class="codeblock" id="GUID-78FB26E2-AA60-5531-B2FE-4FA6C88F2D47__GUID-D37CB9EF-CED1-59EB-95AE-D50E020D2FF8">
<a name="GUID-78FB26E2-AA60-5531-B2FE-4FA6C88F2D47__GUID-D37CB9EF-CED1-59EB-95AE-D50E020D2FF8">
<!-- -->
</a>
// Create a font specification
_LIT( KMyFontName,"Swiss") ;
const TInt KMyFontHeightInTwips = 240 ; // 12 point
TFontSpec myFontSpec( KMyFontName, KMyFontHeightInTwips ) ;
// Create a font pointer (the font itself is on the FBServ shared heap)
CFont* myFont ;
// Fonts are graphics device specific. In this case the graphics device is the screen
CGraphicsDevice* screenDevice = iCoeEnv->ScreenDevice() ;
// Get the font that most closely matches the font spec.
screenDevice->GetNearestFontToMaxHeightInTwips( myFont , myFontSpec ) ;
// Pass the font to the current graphics context
CWindowGc& gc = SystemGc() ;
gc.UseFont( myFont ) ;
// Use the gc to draw text. Use the most appropriate CGraphicsContext::DrawText() function.
TPoint textPos( 0, myFont->AscentInPixels() ) ; // left hand end of baseline.
_LIT( KMyText, "Some text to write" ) ;
gc.DrawText( KMyText, textPos ) ; // Uses current pen etc.
// Tidy up. Discard and release the font
gc.DiscardFont() ;
screenDevice->ReleaseFont( myFont ) ;
</pre>
<p>
There are a number of
<samp class="codeph">
DrawText()
</samp>
function in
<a href="GUID-DAD09DCF-3123-38B4-99E9-91FB24B92138.html">
<span class="apiname">
CGraphicsContext
</span>
</a>
that you can use for positioning text at a specified position or within a rectangle. The pen and brush are those in the current context.
</p>
<p>
You can query the metrics of the font using
<a href="GUID-2A12FE3B-47F2-3016-8161-A971CA506491.html">
<span class="apiname">
CFont
</span>
</a>
to ensure that your text is correctly located. You can also establish the size of individual characters and text strings.
</p>
<p>
<strong>
Note:
</strong>
<a href="GUID-2A12FE3B-47F2-3016-8161-A971CA506491.html">
<span class="apiname">
CFont
</span>
</a>
is an abstract base class. You can use it to query a font supplied by the font system but you cannot instantiate it.
</p>
<pre class="codeblock" id="GUID-78FB26E2-AA60-5531-B2FE-4FA6C88F2D47__GUID-996A661A-581B-50A4-B844-91DE4514F1EA">
<a name="GUID-78FB26E2-AA60-5531-B2FE-4FA6C88F2D47__GUID-996A661A-581B-50A4-B844-91DE4514F1EA">
<!-- -->
</a>
class CFont // CFont is an abstract class.
{
public:
TUid TypeUid() const;
TInt HeightInPixels() const;
TInt AscentInPixels() const;
TInt DescentInPixels() const;
TInt CharWidthInPixels(TChar aChar) const;
TInt TextWidthInPixels(const TDesC& aText) const;
TInt BaselineOffsetInPixels() const;
TInt TextCount(const TDesC& aText,TInt aWidthInPixels) const;
TInt TextCount(const TDesC& aText,TInt aWidthInPixels,
TInt& aExcessWidthInPixels) const;
TInt MaxCharWidthInPixels() const;
TInt MaxNormalCharWidthInPixels() const;
TFontSpec FontSpecInTwips() const;
TCharacterDataAvailability GetCharacterData(TUint aCode,
TOpenFontCharMetrics& aMetrics,
const TUint8*& aBitmap,
TSize& aBitmapSize) const;
TBool GetCharacterPosition(TPositionParam& aParam) const;
TInt WidthZeroInPixels() const;
TInt MeasureText(const TDesC& aText,
const TMeasureTextInput* aInput = NULL,
TMeasureTextOutput* aOutput = NULL) const;
static TBool CharactersJoin(TInt aLeftCharacter, TInt aRightCharacter);
TInt ExtendedFunction(TUid aFunctionId, TAny* aParam = NULL) const;
TBool GetCharacterPosition2(TPositionParam& aParam, RShapeInfo& aShapeInfo) const;
TInt TextWidthInPixels(const TDesC& aText,const TMeasureTextInput* aParam) const;
....
</pre>
</div>
<div>
<ul class="ullinks">
<li class="ulchildlink">
<strong>
<a href="GUID-72986B3C-047C-5411-8F15-BC9C65C3289C.html">
Using Typefaces
</a>
</strong>
<br />
</li>
</ul>
<div class="familylinks">
<div class="parentlink">
<strong>
Parent topic:
</strong>
<a href="GUID-98B85D7F-7BD9-5056-A99F-0BC99D921B87.html" title="You can use the Font and Text Services to select a font or typeface for your text.">
Font and Text Services Tutorials
</a>
</div>
</div>
<div class="relinfo relconcepts">
<strong>
Related concepts
</strong>
<br />
<div>
<a href="GUID-C1B080D9-9C6C-520B-B73E-4EB344B1FC5E.html" title="The Graphics Device Interface (GDI) collection is an important collection within the Graphics subsystem. It provides a suite of abstract base classes, interfaces and data structures. The suite represents and interacts with physical graphics hardware such as display screens, off-screen memory and printers.">
GDI Collection Overview
</a>
</div>
<div>
<a href="GUID-90644B52-69D7-595C-95E3-D6F7A30C060D.html" title="A font is a set of characters of matching size (height) and appearance. In order to be displayed each character must ultimately be drawn as a series of pixels (a bitmap). Symbian can store fonts in bitmap or vector form. A vector font (for example, an OpenType font) must be converted to bitmaps (or rasterized) before it can be drawn. Symbian caches and shares bitmaps for performance and memory efficiency.">
Font and Text Services Collection
Overview
</a>
</div>
<div>
<a href="GUID-71DADA82-3ABC-52D2-8360-33FAEB2E5DE9.html" title="The Font and Bitmap Server (FBServ) provides a memory efficient way of using bitmaps and fonts. It stores a single instance of each bitmap in either a shared heap or in eXecute In Place (XIP) ROM and provides clients with read and (when appropriate) write access.">
Font and Bitmap Server Component Overview
</a>
</div>
<div>
<a href="GUID-416A3756-B5D5-5BCD-830E-2371C5F6B502.html" title="The Font Store contains all of the fonts and typefaces on a phone. It is encapsulated by the Font and Bitmap server which provides a client-side class that applications use to find which fonts are available and to find fonts to match their requirements.">
Font Store Component Overview
</a>
</div>
</div>
</div>
<p class="copyright">Copyright ©2010 Nokia Corporation and/or its subsidiary(-ies).<br /> All rights
reserved. Unless otherwise stated, these materials are provided under the terms of the <a href=" http://www.eclipse.org/legal/epl-v10.html"> Eclipse Public License
v1.0</a>.</p>
</div>
</div>
<?php include_once (CURRENT_SKIN_PATH.'/sdl_footer.html'); ?>
</body>
</html> | Java |
requirejs(['bmotion.config'], function() {
requirejs(['bms.integrated.root'], function() {});
});
| Java |
/*
* Copyright (c) 2013 Red Hat, Inc. and/or its affiliates.
*
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*
* Contributors:
* Brad Davis - bradsdavis@gmail.com - Initial API and implementation
*/
package org.jboss.windup.interrogator.impl;
import java.io.File;
import org.apache.commons.logging.Log;
import org.apache.commons.logging.LogFactory;
import org.jboss.windup.metadata.decoration.Summary;
import org.jboss.windup.metadata.decoration.AbstractDecoration.NotificationLevel;
import org.jboss.windup.metadata.type.FileMetadata;
import org.jboss.windup.metadata.type.XmlMetadata;
import org.jboss.windup.metadata.type.ZipEntryMetadata;
import org.w3c.dom.Document;
/**
* Interrogates XML files. Extracts the XML, and creates an XmlMetadata object, which is passed down
* the decorator pipeline.
*
* @author bdavis
*
*/
public class XmlInterrogator extends ExtensionInterrogator<XmlMetadata> {
private static final Log LOG = LogFactory.getLog(XmlInterrogator.class);
@Override
public void processMeta(XmlMetadata fileMeta) {
Document document = fileMeta.getParsedDocument();
if (document == null) {
if (LOG.isDebugEnabled()) {
LOG.debug("Document was null. Problem parsing: " + fileMeta.getFilePointer().getAbsolutePath());
}
// attach the bad file so we see it in the reports...
fileMeta.getArchiveMeta().getEntries().add(fileMeta);
return;
}
super.processMeta(fileMeta);
}
@Override
public boolean isOfInterest(XmlMetadata fileMeta) {
return true;
}
@Override
public XmlMetadata archiveEntryToMeta(ZipEntryMetadata archiveEntry) {
File file = archiveEntry.getFilePointer();
LOG.debug("Processing XML: " + file.getAbsolutePath());
FileMetadata meta = null;
if (file.length() > 1048576L * 1) {
LOG.warn("XML larger than 1 MB: " + file.getAbsolutePath() + "; Skipping processing.");
meta = new FileMetadata();
meta.setArchiveMeta(archiveEntry.getArchiveMeta());
meta.setFilePointer(file);
Summary sr = new Summary();
sr.setDescription("File is too large; skipped.");
sr.setLevel(NotificationLevel.WARNING);
meta.getDecorations().add(sr);
}
else {
XmlMetadata xmlMeta = new XmlMetadata();
xmlMeta.setArchiveMeta(archiveEntry.getArchiveMeta());
xmlMeta.setFilePointer(file);
meta = xmlMeta;
return xmlMeta;
}
return null;
}
@Override
public XmlMetadata fileEntryToMeta(FileMetadata entry) {
File file = entry.getFilePointer();
LOG.debug("Processing XML: " + file.getAbsolutePath());
FileMetadata meta = null;
if (file.length() > 1048576L * 1) {
LOG.warn("XML larger than 1 MB: " + file.getAbsolutePath() + "; Skipping processing.");
meta = new FileMetadata();
//meta.setArchiveMeta(archiveEntry.getArchiveMeta());
meta.setFilePointer(file);
meta.setArchiveMeta(entry.getArchiveMeta());
Summary sr = new Summary();
sr.setDescription("File is too large; skipped.");
sr.setLevel(NotificationLevel.WARNING);
meta.getDecorations().add(sr);
}
else {
XmlMetadata xmlMeta = new XmlMetadata();
xmlMeta.setArchiveMeta(entry.getArchiveMeta());
xmlMeta.setFilePointer(file);
meta = xmlMeta;
return xmlMeta;
}
return null;
}
}
| Java |
package de.uks.beast.editor.util;
public enum Fonts
{
//@formatter:off
HADOOP_MASTER_TITEL ("Arial", 10, true, true),
HADOOP_SLAVE_TITEL ("Arial", 10, true, true),
NETWORK_TITEL ("Arial", 10, true, true),
CONTROL_CENTER_TITEL ("Arial", 10, true, true),
HADOOP_MASTER_PROPERTY ("Arial", 8, false, true),
HADOOP_SLAVE_PROPERTY ("Arial", 8, false, true),
NETWORK_PROPERTY ("Arial", 8, false, true),
CONTROL_CENTER_PROPERTY ("Arial", 8, false, true),
;//@formatter:on
private final String name;
private final int size;
private final boolean italic;
private final boolean bold;
private Fonts(final String name, final int size, final boolean italic, final boolean bold)
{
this.name = name;
this.size = size;
this.italic = italic;
this.bold = bold;
}
/**
* @return the name
*/
public String getName()
{
return name;
}
/**
* @return the size
*/
public int getSize()
{
return size;
}
/**
* @return the italic
*/
public boolean isItalic()
{
return italic;
}
/**
* @return the bold
*/
public boolean isBold()
{
return bold;
}
}
| Java |
var page = require('webpage').create();
var url;
if (phantom.args) {
url = phantom.args[0];
} else {
url = require('system').args[1];
}
page.onConsoleMessage = function (message) {
console.log(message);
};
function exit(code) {
setTimeout(function(){ phantom.exit(code); }, 0);
phantom.onError = function(){};
}
console.log("Loading URL: " + url);
page.open(url, function (status) {
if (status != "success") {
console.log('Failed to open ' + url);
phantom.exit(1);
}
console.log("Running test.");
var result = page.evaluate(function() {
return chess_game.test_runner.runner();
});
if (result != 0) {
console.log("*** Test failed! ***");
exit(1);
}
else {
console.log("Test succeeded.");
exit(0);
}
});
| Java |
#include "genfft.h"
/**
* NAME: cc1fft
*
* DESCRIPTION: complex to complex FFT
*
* USAGE:
* void cc1fft(complex *data, int n, int sign)
*
* INPUT: - *data: complex 1D input vector
* - n: number of samples in input vector data
* - sign: sign of the Fourier kernel
*
* OUTPUT: - *data: complex 1D output vector unscaled
*
* NOTES: Optimized system dependent FFT's implemented for:
* - inplace FFT from Mayer and SU (see file fft_mayer.c)
*
* AUTHOR:
* Jan Thorbecke (janth@xs4all.nl)
* The Netherlands
*
*
*----------------------------------------------------------------------
* REVISION HISTORY:
* VERSION AUTHOR DATE COMMENT
* 1.0 Jan Thorbecke Feb '94 Initial version (TU Delft)
* 1.1 Jan Thorbecke June '94 faster in-place FFT
* 2.0 Jan Thorbecke July '97 added Cray SGI calls
* 2.1 Alexander Koek June '98 updated SCS for use inside
* parallel loops
*
*
----------------------------------------------------------------------*/
#if defined(ACML440)
#if defined(DOUBLE)
#define acmlcc1fft zfft1dx
#else
#define acmlcc1fft cfft1dx
#endif
#endif
void cc1fft(complex *data, int n, int sign)
{
#if defined(HAVE_LIBSCS)
int ntable, nwork, zero=0;
static int isys, nprev[MAX_NUMTHREADS];
static float *work[MAX_NUMTHREADS], *table[MAX_NUMTHREADS], scale=1.0;
int pe, i;
#elif defined(ACML440)
static int nprev=0;
int nwork, zero=0, one=1, inpl=1, i;
static int isys;
static complex *work;
REAL scl;
complex *y;
#endif
#if defined(HAVE_LIBSCS)
pe = mp_my_threadnum();
assert ( pe <= MAX_NUMTHREADS );
if (n != nprev[pe]) {
isys = 0;
ntable = 2*n + 30;
nwork = 2*n;
/* allocate memory on each processor locally for speed */
if (work[pe]) free(work[pe]);
work[pe] = (float *)malloc(nwork*sizeof(float));
if (work[pe] == NULL)
fprintf(stderr,"cc1fft: memory allocation error\n");
if (table[pe]) free(table[pe]);
table[pe] = (float *)malloc(ntable*sizeof(float));
if (table[pe] == NULL)
fprintf(stderr,"cc1fft: memory allocation error\n");
ccfft_(&zero, &n, &scale, data, data, table[pe], work[pe], &isys);
nprev[pe] = n;
}
ccfft_(&sign, &n, &scale, data, data, table[pe], work[pe], &isys);
#elif defined(ACML440)
scl = 1.0;
if (n != nprev) {
isys = 0;
nwork = 5*n + 100;
if (work) free(work);
work = (complex *)malloc(nwork*sizeof(complex));
if (work == NULL) fprintf(stderr,"rc1fft: memory allocation error\n");
acmlcc1fft(zero, scl, inpl, n, data, 1, y, 1, work, &isys);
nprev = n;
}
acmlcc1fft(sign, scl, inpl, n, data, 1, y, 1, work, &isys);
#else
cc1_fft(data, n, sign);
#endif
return;
}
/****************** NO COMPLEX DEFINED ******************/
void Rcc1fft(float *data, int n, int sign)
{
cc1fft((complex *)data, n , sign);
return;
}
/****************** FORTRAN SHELL *****************/
void cc1fft_(complex *data, int *n, int *sign)
{
cc1fft(data, *n, *sign);
return;
}
| Java |
#include "SimpleGameLogic.h"
#include "GameWorld.h"
#include "MonstersPlace.h"
void SimpleGameLogic::worldLoaded()
{
_physicsWorld = _world->getGameContent()->getPhysicsWorld();
_physicsWorld->setCollisionCallback(this);
_tank = static_cast<Tank*>(_world->getGameContent()->getObjectByName("Player"));
ControllerManager::getInstance()->registerListener(this);
std::vector<MonstersPlace*> monstersPlaces = _world->getGameContent()->getObjectsByTypeName<MonstersPlace>(GameObjectType::MONSTERS_PLACE);
for (auto monstersPlace : monstersPlaces)
{
MonstersPlaceHandler *handler = new MonstersPlaceHandler(_world, monstersPlace, _tank);
_handlers.push_back(handler);
}
}
void SimpleGameLogic::update(float delta)
{
_physicsWorld->update(delta);
for (auto handler : _handlers)
{
handler->update(delta);
}
}
void SimpleGameLogic::onKeyDown(EventKeyboard::KeyCode keyCode)
{
if (keyCode == EventKeyboard::KeyCode::KEY_LEFT_ARROW)
{
_tank->moveLeft();
}
else if (keyCode == EventKeyboard::KeyCode::KEY_RIGHT_ARROW)
{
_tank->moveRight();
}
else if (keyCode == EventKeyboard::KeyCode::KEY_UP_ARROW)
{
_tank->moveForward();
}
else if (keyCode == EventKeyboard::KeyCode::KEY_DOWN_ARROW)
{
_tank->moveBackward();
}
else if (keyCode == EventKeyboard::KeyCode::KEY_X)
{
_tank->fire();
}
}
void SimpleGameLogic::onKeyPress(EventKeyboard::KeyCode keyCode)
{
if (keyCode == EventKeyboard::KeyCode::KEY_Q)
{
_tank->prevWeapon();
} else if (keyCode == EventKeyboard::KeyCode::KEY_W)
{
_tank->nextWeapon();
}
}
void SimpleGameLogic::onKeyUp(EventKeyboard::KeyCode keyCode)
{
if (keyCode == EventKeyboard::KeyCode::KEY_LEFT_ARROW)
{
_tank->stopMoveLeft();
}
else if (keyCode == EventKeyboard::KeyCode::KEY_RIGHT_ARROW)
{
_tank->stopMoveRight();
}
else if (keyCode == EventKeyboard::KeyCode::KEY_UP_ARROW)
{
_tank->stopMoveBackward();
}
else if (keyCode == EventKeyboard::KeyCode::KEY_DOWN_ARROW)
{
_tank->stopMoveBackward();
}
}
void SimpleGameLogic::onPointsBeginContact(SimplePhysicsPoint* pointA, SimplePhysicsPoint* pointB)
{
BaseGameObject *gameObjectA = static_cast<BaseGameObject*>(pointA->getUserData());
BaseGameObject *gameObjectB = static_cast<BaseGameObject*>(pointB->getUserData());
//ToDo êàê-òî íàäî îáîéòè ýòó ïðîâåðêó
if (gameObjectA->getType() == GameObjectType::TANK && gameObjectB->getType() == GameObjectType::TANK_BULLET
|| gameObjectB->getType() == GameObjectType::TANK && gameObjectA->getType() == GameObjectType::TANK_BULLET)
{
return;
}
if (isMonster(gameObjectA) && isMonster(gameObjectB))
{
return;
}
DamageableObject *damageableObjectA = dynamic_cast<DamageableObject*>(gameObjectA);
DamageObject *damageObjectB = dynamic_cast<DamageObject*>(gameObjectB);
if (damageableObjectA && damageObjectB)
{
DamageInfo *damageInfo = damageObjectB->getDamageInfo();
damageableObjectA->damage(damageInfo);
damageObjectB->onAfterDamage(damageableObjectA);
delete damageInfo;
}
DamageableObject *damageableObjectB = dynamic_cast<DamageableObject*>(gameObjectB);
DamageObject *damageObjectA = dynamic_cast<DamageObject*>(gameObjectA);
if (damageableObjectB && damageObjectA)
{
DamageInfo *damageInfo = damageObjectA->getDamageInfo();
damageableObjectB->damage(damageInfo);
damageObjectA->onAfterDamage(damageableObjectB);
delete damageInfo;
}
}
void SimpleGameLogic::onPointReachedBorder(SimplePhysicsPoint* point)
{
BaseGameObject *gameObject = static_cast<BaseGameObject*>(point->getUserData());
if (gameObject)
{
if (gameObject->getType() == GameObjectType::TANK_BULLET)
{
scheduleOnce([=](float dt){
gameObject->detachFromWorld();
delete gameObject;
}, 0.0f, "DestroyGameObject");
}
}
}
bool SimpleGameLogic::isMonster(BaseGameObject *gameObject)
{
return gameObject->getType() == GameObjectType::MONSTER1
|| gameObject->getType() == GameObjectType::MONSTER2
|| gameObject->getType() == GameObjectType::MONSTER3;
}
| Java |
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd">
<!-- NewPage -->
<html lang="en">
<head>
<!-- Generated by javadoc (version 1.7.0_55) on Thu Jun 12 19:19:11 EDT 2014 -->
<title>Uses of Class com.runescape.revised.content.skill.combat.prayer.standard.UnstoppableForce</title>
<meta name="date" content="2014-06-12">
<link rel="stylesheet" type="text/css" href="../../../../../../../../../stylesheet.css" title="Style">
</head>
<body>
<script type="text/javascript"><!--
if (location.href.indexOf('is-external=true') == -1) {
parent.document.title="Uses of Class com.runescape.revised.content.skill.combat.prayer.standard.UnstoppableForce";
}
//-->
</script>
<noscript>
<div>JavaScript is disabled on your browser.</div>
</noscript>
<!-- ========= START OF TOP NAVBAR ======= -->
<div class="topNav"><a name="navbar_top">
<!-- -->
</a><a href="#skip-navbar_top" title="Skip navigation links"></a><a name="navbar_top_firstrow">
<!-- -->
</a>
<ul class="navList" title="Navigation">
<li><a href="../../../../../../../../../overview-summary.html">Overview</a></li>
<li><a href="../package-summary.html">Package</a></li>
<li><a href="../../../../../../../../../com/runescape/revised/content/skill/combat/prayer/standard/UnstoppableForce.html" title="class in com.runescape.revised.content.skill.combat.prayer.standard">Class</a></li>
<li class="navBarCell1Rev">Use</li>
<li><a href="../package-tree.html">Tree</a></li>
<li><a href="../../../../../../../../../deprecated-list.html">Deprecated</a></li>
<li><a href="../../../../../../../../../index-files/index-1.html">Index</a></li>
<li><a href="../../../../../../../../../help-doc.html">Help</a></li>
</ul>
</div>
<div class="subNav">
<ul class="navList">
<li>Prev</li>
<li>Next</li>
</ul>
<ul class="navList">
<li><a href="../../../../../../../../../index.html?com/runescape/revised/content/skill/combat/prayer/standard/class-use/UnstoppableForce.html" target="_top">Frames</a></li>
<li><a href="UnstoppableForce.html" target="_top">No Frames</a></li>
</ul>
<ul class="navList" id="allclasses_navbar_top">
<li><a href="../../../../../../../../../allclasses-noframe.html">All Classes</a></li>
</ul>
<div>
<script type="text/javascript"><!--
allClassesLink = document.getElementById("allclasses_navbar_top");
if(window==top) {
allClassesLink.style.display = "block";
}
else {
allClassesLink.style.display = "none";
}
//-->
</script>
</div>
<a name="skip-navbar_top">
<!-- -->
</a></div>
<!-- ========= END OF TOP NAVBAR ========= -->
<div class="header">
<h2 title="Uses of Class com.runescape.revised.content.skill.combat.prayer.standard.UnstoppableForce" class="title">Uses of Class<br>com.runescape.revised.content.skill.combat.prayer.standard.UnstoppableForce</h2>
</div>
<div class="classUseContainer">No usage of com.runescape.revised.content.skill.combat.prayer.standard.UnstoppableForce</div>
<!-- ======= START OF BOTTOM NAVBAR ====== -->
<div class="bottomNav"><a name="navbar_bottom">
<!-- -->
</a><a href="#skip-navbar_bottom" title="Skip navigation links"></a><a name="navbar_bottom_firstrow">
<!-- -->
</a>
<ul class="navList" title="Navigation">
<li><a href="../../../../../../../../../overview-summary.html">Overview</a></li>
<li><a href="../package-summary.html">Package</a></li>
<li><a href="../../../../../../../../../com/runescape/revised/content/skill/combat/prayer/standard/UnstoppableForce.html" title="class in com.runescape.revised.content.skill.combat.prayer.standard">Class</a></li>
<li class="navBarCell1Rev">Use</li>
<li><a href="../package-tree.html">Tree</a></li>
<li><a href="../../../../../../../../../deprecated-list.html">Deprecated</a></li>
<li><a href="../../../../../../../../../index-files/index-1.html">Index</a></li>
<li><a href="../../../../../../../../../help-doc.html">Help</a></li>
</ul>
</div>
<div class="subNav">
<ul class="navList">
<li>Prev</li>
<li>Next</li>
</ul>
<ul class="navList">
<li><a href="../../../../../../../../../index.html?com/runescape/revised/content/skill/combat/prayer/standard/class-use/UnstoppableForce.html" target="_top">Frames</a></li>
<li><a href="UnstoppableForce.html" target="_top">No Frames</a></li>
</ul>
<ul class="navList" id="allclasses_navbar_bottom">
<li><a href="../../../../../../../../../allclasses-noframe.html">All Classes</a></li>
</ul>
<div>
<script type="text/javascript"><!--
allClassesLink = document.getElementById("allclasses_navbar_bottom");
if(window==top) {
allClassesLink.style.display = "block";
}
else {
allClassesLink.style.display = "none";
}
//-->
</script>
</div>
<a name="skip-navbar_bottom">
<!-- -->
</a></div>
<!-- ======== END OF BOTTOM NAVBAR ======= -->
</body>
</html>
| Java |
/*
* Licensed to the Apache Software Foundation (ASF) under one or more
* contributor license agreements. See the NOTICE file distributed with
* this work for additional information regarding copyright ownership.
* The ASF licenses this file to You under the Apache License, Version 2.0
* (the "License"); you may not use this file except in compliance with
* the License. You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package org.apache.solr.client.solrj.request;
import org.apache.solr.client.solrj.SolrClient;
import org.apache.solr.client.solrj.SolrRequest;
import org.apache.solr.client.solrj.response.SolrPingResponse;
import org.apache.solr.common.params.CommonParams;
import org.apache.solr.common.params.ModifiableSolrParams;
/**
* Verify that there is a working Solr core at the URL of a {@link org.apache.solr.client.solrj.SolrClient}.
* To use this class, the solrconfig.xml for the relevant core must include the
* request handler for <code>/admin/ping</code>.
*
* @since solr 1.3
*/
public class SolrPing extends SolrRequest<SolrPingResponse> {
/** serialVersionUID. */
private static final long serialVersionUID = 5828246236669090017L;
/** Request parameters. */
private ModifiableSolrParams params;
/**
* Create a new SolrPing object.
*/
public SolrPing() {
super(METHOD.GET, CommonParams.PING_HANDLER);
params = new ModifiableSolrParams();
}
@Override
protected SolrPingResponse createResponse(SolrClient client) {
return new SolrPingResponse();
}
@Override
public ModifiableSolrParams getParams() {
return params;
}
/**
* Remove the action parameter from this request. This will result in the same
* behavior as {@code SolrPing#setActionPing()}. For Solr server version 4.0
* and later.
*
* @return this
*/
public SolrPing removeAction() {
params.remove(CommonParams.ACTION);
return this;
}
/**
* Set the action parameter on this request to enable. This will delete the
* health-check file for the Solr core. For Solr server version 4.0 and later.
*
* @return this
*/
public SolrPing setActionDisable() {
params.set(CommonParams.ACTION, CommonParams.DISABLE);
return this;
}
/**
* Set the action parameter on this request to enable. This will create the
* health-check file for the Solr core. For Solr server version 4.0 and later.
*
* @return this
*/
public SolrPing setActionEnable() {
params.set(CommonParams.ACTION, CommonParams.ENABLE);
return this;
}
/**
* Set the action parameter on this request to ping. This is the same as not
* including the action at all. For Solr server version 4.0 and later.
*
* @return this
*/
public SolrPing setActionPing() {
params.set(CommonParams.ACTION, CommonParams.PING);
return this;
}
}
| Java |
//
// Diese Datei wurde mit der JavaTM Architecture for XML Binding(JAXB) Reference Implementation, v2.2.8-b130911.1802 generiert
// Siehe <a href="http://java.sun.com/xml/jaxb">http://java.sun.com/xml/jaxb</a>
// Änderungen an dieser Datei gehen bei einer Neukompilierung des Quellschemas verloren.
// Generiert: 2020.05.20 um 02:10:33 PM CEST
//
package ch.fd.invoice450.request;
import javax.xml.bind.annotation.XmlAccessType;
import javax.xml.bind.annotation.XmlAccessorType;
import javax.xml.bind.annotation.XmlAttribute;
import javax.xml.bind.annotation.XmlSchemaType;
import javax.xml.bind.annotation.XmlType;
import javax.xml.bind.annotation.adapters.CollapsedStringAdapter;
import javax.xml.bind.annotation.adapters.XmlJavaTypeAdapter;
/**
* <p>Java-Klasse für xtraDrugType complex type.
*
* <p>Das folgende Schemafragment gibt den erwarteten Content an, der in dieser Klasse enthalten ist.
*
* <pre>
* <complexType name="xtraDrugType">
* <complexContent>
* <restriction base="{http://www.w3.org/2001/XMLSchema}anyType">
* <attribute name="indicated" type="{http://www.w3.org/2001/XMLSchema}boolean" />
* <attribute name="iocm_category">
* <simpleType>
* <restriction base="{http://www.w3.org/2001/XMLSchema}NMTOKEN">
* <enumeration value="A"/>
* <enumeration value="B"/>
* <enumeration value="C"/>
* <enumeration value="D"/>
* <enumeration value="E"/>
* </restriction>
* </simpleType>
* </attribute>
* <attribute name="delivery" default="first">
* <simpleType>
* <restriction base="{http://www.w3.org/2001/XMLSchema}NMTOKEN">
* <enumeration value="first"/>
* <enumeration value="repeated"/>
* <enumeration value="permanent"/>
* </restriction>
* </simpleType>
* </attribute>
* <attribute name="regulation_attributes" type="{http://www.w3.org/2001/XMLSchema}unsignedInt" default="0" />
* <attribute name="limitation" type="{http://www.w3.org/2001/XMLSchema}boolean" />
* </restriction>
* </complexContent>
* </complexType>
* </pre>
*
*
*/
@XmlAccessorType(XmlAccessType.FIELD)
@XmlType(name = "xtraDrugType")
public class XtraDrugType {
@XmlAttribute(name = "indicated")
protected Boolean indicated;
@XmlAttribute(name = "iocm_category")
@XmlJavaTypeAdapter(CollapsedStringAdapter.class)
protected String iocmCategory;
@XmlAttribute(name = "delivery")
@XmlJavaTypeAdapter(CollapsedStringAdapter.class)
protected String delivery;
@XmlAttribute(name = "regulation_attributes")
@XmlSchemaType(name = "unsignedInt")
protected Long regulationAttributes;
@XmlAttribute(name = "limitation")
protected Boolean limitation;
/**
* Ruft den Wert der indicated-Eigenschaft ab.
*
* @return
* possible object is
* {@link Boolean }
*
*/
public Boolean isIndicated() {
return indicated;
}
/**
* Legt den Wert der indicated-Eigenschaft fest.
*
* @param value
* allowed object is
* {@link Boolean }
*
*/
public void setIndicated(Boolean value) {
this.indicated = value;
}
/**
* Ruft den Wert der iocmCategory-Eigenschaft ab.
*
* @return
* possible object is
* {@link String }
*
*/
public String getIocmCategory() {
return iocmCategory;
}
/**
* Legt den Wert der iocmCategory-Eigenschaft fest.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setIocmCategory(String value) {
this.iocmCategory = value;
}
/**
* Ruft den Wert der delivery-Eigenschaft ab.
*
* @return
* possible object is
* {@link String }
*
*/
public String getDelivery() {
if (delivery == null) {
return "first";
} else {
return delivery;
}
}
/**
* Legt den Wert der delivery-Eigenschaft fest.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setDelivery(String value) {
this.delivery = value;
}
/**
* Ruft den Wert der regulationAttributes-Eigenschaft ab.
*
* @return
* possible object is
* {@link Long }
*
*/
public long getRegulationAttributes() {
if (regulationAttributes == null) {
return 0L;
} else {
return regulationAttributes;
}
}
/**
* Legt den Wert der regulationAttributes-Eigenschaft fest.
*
* @param value
* allowed object is
* {@link Long }
*
*/
public void setRegulationAttributes(Long value) {
this.regulationAttributes = value;
}
/**
* Ruft den Wert der limitation-Eigenschaft ab.
*
* @return
* possible object is
* {@link Boolean }
*
*/
public Boolean isLimitation() {
return limitation;
}
/**
* Legt den Wert der limitation-Eigenschaft fest.
*
* @param value
* allowed object is
* {@link Boolean }
*
*/
public void setLimitation(Boolean value) {
this.limitation = value;
}
}
| Java |
/*******************************************************************************
* Copyright (c) 2001, 2005 IBM Corporation and others.
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*
* Contributors:
* IBM Corporation - initial API and implementation
* Jens Lukowski/Innoopract - initial renaming/restructuring
*
*******************************************************************************/
package org.eclipse.wst.xml.core.internal.contenttype;
import org.eclipse.wst.sse.core.internal.encoding.EncodingMemento;
import org.eclipse.wst.sse.core.internal.encoding.NonContentBasedEncodingRules;
/**
* This class can be used in place of an EncodingMemento (its super class),
* when there is not in fact ANY encoding information. For example, when a
* structuredDocument is created directly from a String
*/
public class NullMemento extends EncodingMemento {
/**
*
*/
public NullMemento() {
super();
String defaultCharset = NonContentBasedEncodingRules.useDefaultNameRules(null);
setJavaCharsetName(defaultCharset);
setAppropriateDefault(defaultCharset);
setDetectedCharsetName(null);
}
}
| Java |
/*******************************************************************************
* Copyright (c) 2013-2015 UAH Space Research Group.
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*
* Contributors:
* MICOBS SRG Team - Initial API and implementation
******************************************************************************/
package es.uah.aut.srg.micobs.mclev.library.mclevlibrary;
/**
* A representation of an MCLEV Library versioned item corresponding to the
* model of a regular component.
*
* <p>
* The following features are supported:
* <ul>
* <li>{@link es.uah.aut.srg.micobs.mclev.library.mclevlibrary.MMCLEVVersionedItemComponent#getSwPackageURI <em>Sw Package URI</em>}</li>
* <li>{@link es.uah.aut.srg.micobs.mclev.library.mclevlibrary.MMCLEVVersionedItemComponent#getSwPackageVersion <em>Sw Package Version</em>}</li>
* </ul>
* </p>
*
* @see es.uah.aut.srg.micobs.mclev.library.mclevlibrary.mclevlibraryPackage#getMMCLEVVersionedItemComponent()
* @model
* @generated
*/
public interface MMCLEVVersionedItemComponent extends MMCLEVPackageVersionedItem {
/**
* Returns the URI of the MESP software package that stores the
* implementation of the component or <code>null</code> if no software
* package is defined for the component.
* @return the URI of the attached MESP software package or
* <code>null</code> if no software package is defined for the component.
* @see #setSwPackageURI(String)
* @see es.uah.aut.srg.micobs.mclev.library.mclevlibrary.mclevlibraryPackage#getMMCLEVVersionedItemComponent_SwPackageURI()
* @model
* @generated
*/
String getSwPackageURI();
/**
* Sets the URI of the MESP software package that stores the
* implementation of the component.
* @param value the new URI of the attached MESP software package.
* @see #getSwPackageURI()
* @generated
*/
void setSwPackageURI(String value);
/**
* Returns the version of the MESP software package that stores the
* implementation of the component or <code>null</code> if no software
* package is defined for the component.
* @return the version of the attached MESP software package or
* <code>null</code> if no software package is defined for the component.
* @see #setSwPackageVersion(String)
* @see es.uah.aut.srg.micobs.mclev.library.mclevlibrary.mclevlibraryPackage#getMMCLEVVersionedItemComponent_SwPackageVersion()
* @model
* @generated
*/
String getSwPackageVersion();
/**
* Sets the version of the MESP software package that stores the
* implementation of the component.
* @param value the new version of the attached MESP software package.
* @see #getSwPackageVersion()
* @generated
*/
void setSwPackageVersion(String value);
/**
* Returns the value of the '<em><b>Sw Interface URI</b></em>' attribute.
* <!-- begin-user-doc -->
* <p>
* If the meaning of the '<em>Sw Interface URI</em>' attribute isn't clear,
* there really should be more of a description here...
* </p>
* <!-- end-user-doc -->
* @return the value of the '<em>Sw Interface URI</em>' attribute.
* @see #setSwInterfaceURI(String)
* @see es.uah.aut.srg.micobs.mclev.library.mclevlibrary.mclevlibraryPackage#getMMCLEVVersionedItemComponent_SwInterfaceURI()
* @model
* @generated
*/
String getSwInterfaceURI();
/**
* Sets the value of the '{@link es.uah.aut.srg.micobs.mclev.library.mclevlibrary.MMCLEVVersionedItemComponent#getSwInterfaceURI <em>Sw Interface URI</em>}' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @param value the new value of the '<em>Sw Interface URI</em>' attribute.
* @see #getSwInterfaceURI()
* @generated
*/
void setSwInterfaceURI(String value);
/**
* Returns the value of the '<em><b>Sw Interface Version</b></em>' attribute.
* <!-- begin-user-doc -->
* <p>
* If the meaning of the '<em>Sw Interface Version</em>' attribute isn't clear,
* there really should be more of a description here...
* </p>
* <!-- end-user-doc -->
* @return the value of the '<em>Sw Interface Version</em>' attribute.
* @see #setSwInterfaceVersion(String)
* @see es.uah.aut.srg.micobs.mclev.library.mclevlibrary.mclevlibraryPackage#getMMCLEVVersionedItemComponent_SwInterfaceVersion()
* @model
* @generated
*/
String getSwInterfaceVersion();
/**
* Sets the value of the '{@link es.uah.aut.srg.micobs.mclev.library.mclevlibrary.MMCLEVVersionedItemComponent#getSwInterfaceVersion <em>Sw Interface Version</em>}' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @param value the new value of the '<em>Sw Interface Version</em>' attribute.
* @see #getSwInterfaceVersion()
* @generated
*/
void setSwInterfaceVersion(String value);
} | Java |
<?xml version='1.0' encoding='utf-8'?>
<!DOCTYPE html
PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html lang="en" xml:lang="en">
<head>
<meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
<meta name="copyright" content="(C) Copyright 2010" />
<meta name="DC.rights.owner" content="(C) Copyright 2010" />
<meta name="DC.Type" content="concept" />
<meta name="DC.Title" content="Commonly used controls" />
<meta name="DC.Relation" scheme="URI" content="Chunk654565996.html#GUID-5944FFF1-79C6-4F5E-95C8-F4833AFC64AB" />
<meta name="DC.Relation" scheme="URI" content="index.html" />
<meta name="DC.Relation" scheme="URI" content="GUID-32E29020-1956-461A-B79A-1492E06049E7.html" />
<meta name="DC.Relation" scheme="URI" content="GUID-94005A46-B4C6-4A30-A8E8-1B9C2D583D50.html" />
<meta name="DC.Relation" scheme="URI" content="GUID-29486886-CB54-4A83-AD6D-70F971A86DFC.html" />
<meta name="DC.Relation" scheme="URI" content="Chunk1219618379.html#GUID-0F593BE1-1220-4403-B04E-B8E8A9A49701" />
<meta name="DC.Relation" scheme="URI" content="Chunk654565996.html#GUID-5944FFF1-79C6-4F5E-95C8-F4833AFC64AB" />
<meta name="DC.Format" content="XHTML" />
<meta name="DC.Identifier" content="GUID-F3262DF6-39CA-4E96-AD0E-C1FFDE9B0A61" />
<meta name="DC.Language" content="en" />
<link rel="stylesheet" type="text/css" href="commonltr.css" />
<title>
Commonly used controls
</title>
<link type="text/css" rel="stylesheet" href="css/common.css" media="screen"/>
<link type="text/css" rel="stylesheet" href="css/sdl.css" media="screen"/>
<!--[if IE]>
<link href="css/iefix.css" rel="stylesheet" type="text/css" media="screen" />
<![endif]-->
<link rel="stylesheet" type="text/css" href="nokiacxxref.css" />
</head>
<body id="GUID-F3262DF6-39CA-4E96-AD0E-C1FFDE9B0A61">
<a name="GUID-F3262DF6-39CA-4E96-AD0E-C1FFDE9B0A61">
<!-- -->
</a>
<?php include_once (CURRENT_SKIN_PATH.'/sdl_header.html'); ?>
<div id="sdl_container">
<div id="leftMenu">
<div id="expandcontractdiv">
<a id="collapseTree" href="javascript:tree.collapseAll()">
Collapse all
</a>
<a id="index" href="index.html">
Symbian^3 Application Developer Library
</a>
</div>
<iframe style="border:none" height="800" width="300" src="index-toc.html"></iframe>
<div id="treeDiv1">
 
</div>
<script type="text/javascript">
var currentIconMode = 0; window.name="id2470542 id2469732 id2469667 id2469361 id2469325 ";
YAHOO.util.Event.onDOMReady(buildTree, this,true);
</script>
</div>
<div id="sdl_content">
<div class="breadcrumb">
<a href="index.html" title="Symbian^3 Application Developer Library">
Symbian^3 Application Developer Library
</a>
>
<a href="GUID-32E29020-1956-461A-B79A-1492E06049E7.html" title="The Symbian Guide describes the architecture and functionality of the platform, and provides guides on using its APIs.">
Symbian Guide
</a>
>
<a href="GUID-94005A46-B4C6-4A30-A8E8-1B9C2D583D50.html">
Classic UI Guide
</a>
>
<a href="GUID-29486886-CB54-4A83-AD6D-70F971A86DFC.html">
Application and UI frameworks
</a>
>
<a href="Chunk1219618379.html#GUID-0F593BE1-1220-4403-B04E-B8E8A9A49701">
UI concepts
</a>
>
<a href="Chunk654565996.html#GUID-5944FFF1-79C6-4F5E-95C8-F4833AFC64AB">
Controls
</a>
>
</div>
<h1 class="topictitle1">
Commonly
used controls
</h1>
<div>
<p>
The Symbian platform provides AVKON controls, which are a convenient
set of UI components designed specifically for devices based on the Symbian
platform.
</p>
<p>
Commonly used AVKON controls include:
</p>
<ul>
<li>
<p>
<a href="specs/guides/Dialogs_API_Specification/Dialogs_API_Specification.html" target="_blank">
dialogs
</a>
</p>
</li>
<li>
<p>
<a href="specs/guides/Editors_API_Specification/Editors_API_Specification.html" target="_blank">
editors
</a>
</p>
</li>
<li>
<p>
<a href="specs/guides/Form_API_Specification/Form_API_Specification.html" target="_blank">
forms
</a>
</p>
</li>
<li>
<p>
<a href="specs/guides/Grids_API_Specification/Grids_API_Specification.html" target="_blank">
grids
</a>
</p>
</li>
<li>
<p>
<a href="specs/guides/Lists_API_Specification/Lists_API_Specification.html" target="_blank">
lists
</a>
</p>
</li>
<li>
<p>
<a href="specs/guides/Notes_API_Specification/Notes_API_Specification.html" target="_blank">
notes
</a>
</p>
</li>
<li>
<p>
<a href="specs/guides/Popups_API_Specification/Popups_API_Specification.html" target="_blank">
pop-up
lists
</a>
</p>
</li>
<li>
<p>
queries
</p>
</li>
<li>
<p>
<a href="specs/guides/Setting_Pages_API_Specification/Setting_Pages_API_Specification.html" target="_blank">
setting
pages
</a>
</p>
</li>
</ul>
<p>
All of the AVKON resources listed above, except dialogs, queries and
notes, are non-window-owning controls. This means that they cannot exist on
the screen without being inside another
<a href="Chunk654565996.html">
control
</a>
.
</p>
<div class="note">
<span class="notetitle">
Note:
</span>
<p>
Since AVKON UI resources scale automatically according to screen resolution
and orientation, it is recommended that you consider using AVKON or AVKON-derived
components in your application UI as they may require less implementation
effort. Custom
<a href="GUID-B06F99BD-F032-3B87-AB26-5DD6EBE8C160.html">
<span class="apiname">
CCoeControl
</span>
</a>
-derived controls may require
additional efforts to support
<a href="Chunk1925002978.html">
scalability
</a>
and
<a href="Chunk1313030609.html">
themes
</a>
.
</p>
</div>
</div>
<div>
<div class="familylinks">
<div class="parentlink">
<strong>
Parent topic:
</strong>
<a href="Chunk654565996.html#GUID-5944FFF1-79C6-4F5E-95C8-F4833AFC64AB">
Controls
</a>
</div>
</div>
</div>
<p class="copyright">Copyright ©2010 Nokia Corporation and/or its subsidiary(-ies).<br /> All rights
reserved. Unless otherwise stated, these materials are provided under the terms of the <a href=" http://www.eclipse.org/legal/epl-v10.html"> Eclipse Public License
v1.0</a>.</p>
</div>
</div>
<?php include_once (CURRENT_SKIN_PATH.'/sdl_footer.html'); ?>
</body>
</html> | Java |
<?xml version='1.0' encoding='utf-8'?>
<!DOCTYPE html
PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html lang="en-us" xml:lang="en-us">
<head>
<meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
<meta name="copyright" content="(C) Copyright 2010" />
<meta name="DC.rights.owner" content="(C) Copyright 2010" />
<meta name="DC.Type" content="cxxClass" />
<meta name="DC.Title" content="CPtiKeyMapDataFactory" />
<meta name="DC.Format" content="XHTML" />
<meta name="DC.Identifier" content="GUID-52D2FA0B-F2BB-336B-AAA3-53BAAB9CDC7C" />
<title>
CPtiKeyMapDataFactory
</title>
<link type="text/css" rel="stylesheet" href="css/common.css" media="screen"/>
<link type="text/css" rel="stylesheet" href="css/sdl.css" media="screen"/>
<!--[if IE]>
<link href="css/iefix.css" rel="stylesheet" type="text/css" media="screen" />
<![endif]-->
<meta name="keywords" content="api" />
<link rel="stylesheet" type="text/css" href="cxxref.css" />
</head>
<body class="cxxref" id="GUID-52D2FA0B-F2BB-336B-AAA3-53BAAB9CDC7C">
<a name="GUID-52D2FA0B-F2BB-336B-AAA3-53BAAB9CDC7C">
<!-- -->
</a>
<?php include_once (CURRENT_SKIN_PATH.'/sdl_header.html'); ?>
<div id="sdl_container">
<div id="leftMenu">
<div id="expandcontractdiv">
<a id="collapseTree" href="javascript:tree.collapseAll()">
Collapse all
</a>
<a id="index" href="index.html">
Symbian^3 Application Developer Library
</a>
</div>
<iframe style="border:none" height="800" width="300" src="index-toc.html"></iframe>
<div id="treeDiv1">
 
</div>
<script type="text/javascript">
var currentIconMode = 0; window.name="id2518338 id2518347 id2420140 id2406431 id2406544 id2406641 ";
YAHOO.util.Event.onDOMReady(buildTree, this,true);
</script>
</div>
<div id="sdl_content">
<div class="breadcrumb">
<a href="index.html" title="Symbian^3 Application Developer Library">
Symbian^3 Application Developer Library
</a>
>
</div>
<h1 class="topictitle1">
CPtiKeyMapDataFactory Class Reference
</h1>
<table class="signature">
<tr>
<td>
class CPtiKeyMapDataFactory : public CBase
</td>
</tr>
</table>
<div class="section">
<div>
<p>
Keymap data factory class.
</p>
</div>
</div>
<div class="section derivation">
<h2 class="sectiontitle">
Inherits from
</h2>
<ul class="derivation derivation-root">
<li class="derivation-depth-0 ">
CPtiKeyMapDataFactory
<ul class="derivation">
<li class="derivation-depth-1 ">
<a href="GUID-8F6FE089-E2A8-30F4-B67E-10F286347681.html">
CBase
</a>
</li>
</ul>
</li>
</ul>
</div>
<div class="section member-index">
<table border="0" class="member-index">
<thead>
<tr>
<th colspan="2">
Public Member Functions
</th>
</tr>
</thead>
<tbody>
<tr>
<td align="right" class="code">
</td>
<td>
<a href="#GUID-EF092D24-2B1E-3D23-81C3-31B1E73301C5">
~CPtiKeyMapDataFactory
</a>
()
</td>
</tr>
<tr class="bg">
<td align="right" class="code">
IMPORT_C
<a href="GUID-52D2FA0B-F2BB-336B-AAA3-53BAAB9CDC7C.html">
CPtiKeyMapDataFactory
</a>
*
</td>
<td>
<a href="#GUID-23419E77-D69E-3224-8B2E-4D89684DE60C">
CreateImplementationL
</a>
(const
<a href="GUID-530281E6-29FC-33F2-BC9B-610FBA389444.html">
TUid
</a>
)
</td>
</tr>
<tr>
<td align="right" class="code">
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
<a href="#GUID-5170B5FB-7C5F-3AFD-B002-F0327DD93DD5">
ImplementationUid
</a>
()
</td>
</tr>
<tr class="bg">
<td align="right" class="code">
<a href="GUID-670B1750-7C1F-3DB3-9635-C255F9D3E08D.html">
MPtiKeyMapData
</a>
*
</td>
<td>
<a href="#GUID-EC0769C2-FE34-3CFD-948C-D9EE5A799D00">
KeyMapDataForLanguageL
</a>
(
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
)
</td>
</tr>
<tr>
<td align="right" class="code">
IMPORT_C void
</td>
<td>
<a href="#GUID-A241E73E-A311-311C-B271-9DF46673CAFE">
ListImplementationsL
</a>
(
<a href="GUID-FAEBF321-6B08-3041-A01F-B1E7282D0707.html">
RArray
</a>
<
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
> &)
</td>
</tr>
<tr class="bg">
<td align="right" class="code">
void
</td>
<td>
<a href="#GUID-C4355AEF-68DD-34B9-A008-84BEB1C61696">
ListLanguagesL
</a>
(
<a href="GUID-FAEBF321-6B08-3041-A01F-B1E7282D0707.html">
RArray
</a>
<
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
> &)
</td>
</tr>
<tr>
<td align="right" class="code">
IMPORT_C void
</td>
<td>
<a href="#GUID-7BC9394A-F0A4-323A-B2F6-69AB5090A353">
Reserved_1
</a>
()
</td>
</tr>
<tr class="bg">
<td align="right" class="code">
IMPORT_C void
</td>
<td>
<a href="#GUID-84B9F5A6-20CE-3596-9BFC-FFD93679E105">
Reserved_2
</a>
()
</td>
</tr>
</tbody>
</table>
<table border="0" class="member-index">
<thead>
<tr>
<th colspan="2">
Private Member Functions
</th>
</tr>
</thead>
<tbody>
<tr>
<td align="right" class="code">
void
</td>
<td>
<a href="#GUID-EAB64EA6-597C-373C-9DCA-7F4D1ED721DA">
SetDestructorKeyId
</a>
(
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
)
</td>
</tr>
<tr class="bg">
<td align="right" class="code">
void
</td>
<td>
<a href="#GUID-B2A96013-7D7C-34F6-AA7A-0EF3A9FC4A87">
SetImplementationUid
</a>
(
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
)
</td>
</tr>
</tbody>
</table>
<table border="0" class="member-index">
<thead>
<tr>
<th colspan="2">
Inherited Functions
</th>
</tr>
</thead>
<tbody>
<tr>
<td>
</td>
<td>
<a href="GUID-8F6FE089-E2A8-30F4-B67E-10F286347681.html">
CBase::CBase()
</a>
</td>
</tr>
<tr class="bg">
<td>
</td>
<td>
<a href="GUID-8F6FE089-E2A8-30F4-B67E-10F286347681.html">
CBase::Delete(CBase *)
</a>
</td>
</tr>
<tr>
<td>
</td>
<td>
<a href="GUID-8F6FE089-E2A8-30F4-B67E-10F286347681.html">
CBase::Extension_(TUint,TAny *&,TAny *)
</a>
</td>
</tr>
<tr class="bg">
<td>
</td>
<td>
<a href="GUID-8F6FE089-E2A8-30F4-B67E-10F286347681.html">
CBase::operator new(TUint)
</a>
</td>
</tr>
<tr>
<td>
</td>
<td>
<a href="GUID-8F6FE089-E2A8-30F4-B67E-10F286347681.html">
CBase::operator new(TUint,TAny *)
</a>
</td>
</tr>
<tr class="bg">
<td>
</td>
<td>
<a href="GUID-8F6FE089-E2A8-30F4-B67E-10F286347681.html">
CBase::operator new(TUint,TLeave)
</a>
</td>
</tr>
<tr>
<td>
</td>
<td>
<a href="GUID-8F6FE089-E2A8-30F4-B67E-10F286347681.html">
CBase::operator new(TUint,TLeave,TUint)
</a>
</td>
</tr>
<tr class="bg">
<td>
</td>
<td>
<a href="GUID-8F6FE089-E2A8-30F4-B67E-10F286347681.html">
CBase::operator new(TUint,TUint)
</a>
</td>
</tr>
<tr>
<td>
</td>
<td>
<a href="GUID-8F6FE089-E2A8-30F4-B67E-10F286347681.html">
CBase::~CBase()
</a>
</td>
</tr>
</tbody>
</table>
<table border="0" class="member-index">
<thead>
<tr>
<th colspan="2">
Private Attributes
</th>
</tr>
</thead>
<tbody>
<tr>
<td align="right" valign="top">
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
<a href="#GUID-248752D2-78D5-3D4C-9669-003664FE8370">
iDTorId
</a>
</td>
</tr>
<tr class="bg">
<td align="right" valign="top">
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
<a href="#GUID-918F3835-B3D0-34D8-A23C-EA33DCF87892">
iImplUid
</a>
</td>
</tr>
<tr>
<td align="right" valign="top">
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
<a href="#GUID-425BEFBE-639E-33F5-B1C3-83CFF34AE854">
iReserved
</a>
</td>
</tr>
</tbody>
</table>
</div>
<h1 class="pageHeading topictitle1">
Constructor & Destructor Documentation
</h1>
<div class="nested1" id="GUID-EF092D24-2B1E-3D23-81C3-31B1E73301C5">
<a name="GUID-EF092D24-2B1E-3D23-81C3-31B1E73301C5">
<!-- -->
</a>
<h2 class="topictitle2">
~CPtiKeyMapDataFactory()
</h2>
<table class="signature">
<tr>
<td>
IMPORT_C
</td>
<td>
~CPtiKeyMapDataFactory
</td>
<td>
(
</td>
<td>
)
</td>
<td>
</td>
</tr>
</table>
<div class="section">
</div>
</div>
<h1 class="pageHeading topictitle1">
Member Functions Documentation
</h1>
<div class="nested1" id="GUID-23419E77-D69E-3224-8B2E-4D89684DE60C">
<a name="GUID-23419E77-D69E-3224-8B2E-4D89684DE60C">
<!-- -->
</a>
<h2 class="topictitle2">
CreateImplementationL(const TUid)
</h2>
<table class="signature">
<tr>
<td>
IMPORT_C
<a href="GUID-52D2FA0B-F2BB-336B-AAA3-53BAAB9CDC7C.html">
CPtiKeyMapDataFactory
</a>
*
</td>
<td>
CreateImplementationL
</td>
<td>
(
</td>
<td>
const
<a href="GUID-530281E6-29FC-33F2-BC9B-610FBA389444.html">
TUid
</a>
</td>
<td>
aImplUid
</td>
<td>
)
</td>
<td>
[static]
</td>
</tr>
</table>
<div class="section">
<div>
<p>
Creates a key map data instance for given implementation uid.
</p>
<div class="p">
<dl class="since">
<dt class="dlterm">
Since
</dt>
<dd>
S60 V5.0
</dd>
</dl>
</div>
</div>
</div>
<div class="section parameters">
<h3 class="sectiontitle">
Parameters
</h3>
<table border="0" class="parameters">
<tr>
<td class="parameter">
const
<a href="GUID-530281E6-29FC-33F2-BC9B-610FBA389444.html">
TUid
</a>
aImplUid
</td>
<td>
An implemenation uid for key map data factory to be created.
</td>
</tr>
</table>
</div>
</div>
<div class="nested1" id="GUID-5170B5FB-7C5F-3AFD-B002-F0327DD93DD5">
<a name="GUID-5170B5FB-7C5F-3AFD-B002-F0327DD93DD5">
<!-- -->
</a>
<h2 class="topictitle2">
ImplementationUid()
</h2>
<table class="signature">
<tr>
<td>
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
ImplementationUid
</td>
<td>
(
</td>
<td>
)
</td>
<td>
const [inline]
</td>
</tr>
</table>
<div class="section">
</div>
</div>
<div class="nested1" id="GUID-EC0769C2-FE34-3CFD-948C-D9EE5A799D00">
<a name="GUID-EC0769C2-FE34-3CFD-948C-D9EE5A799D00">
<!-- -->
</a>
<h2 class="topictitle2">
KeyMapDataForLanguageL(TInt)
</h2>
<table class="signature">
<tr>
<td>
<a href="GUID-670B1750-7C1F-3DB3-9635-C255F9D3E08D.html">
MPtiKeyMapData
</a>
*
</td>
<td>
KeyMapDataForLanguageL
</td>
<td>
(
</td>
<td>
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
aLanguageCode
</td>
<td>
)
</td>
<td>
[pure virtual]
</td>
</tr>
</table>
<div class="section">
<div>
<p>
Returns keymap data object for given language.
</p>
<div class="p">
<dl class="since">
<dt class="dlterm">
Since
</dt>
<dd>
S60 5.0
</dd>
</dl>
</div>
</div>
</div>
<div class="section parameters">
<h3 class="sectiontitle">
Parameters
</h3>
<table border="0" class="parameters">
<tr>
<td class="parameter">
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
aLanguageCode
</td>
<td>
Languace code for requested data.
</td>
</tr>
</table>
</div>
</div>
<div class="nested1" id="GUID-A241E73E-A311-311C-B271-9DF46673CAFE">
<a name="GUID-A241E73E-A311-311C-B271-9DF46673CAFE">
<!-- -->
</a>
<h2 class="topictitle2">
ListImplementationsL(RArray< TInt > &)
</h2>
<table class="signature">
<tr>
<td>
IMPORT_C void
</td>
<td>
ListImplementationsL
</td>
<td>
(
</td>
<td>
<a href="GUID-FAEBF321-6B08-3041-A01F-B1E7282D0707.html">
RArray
</a>
<
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
> &
</td>
<td>
aResult
</td>
<td>
)
</td>
<td>
[static]
</td>
</tr>
</table>
<div class="section">
<div>
<p>
Fills given list with implementation uids of all found key map data factory implementations.
</p>
<div class="p">
<dl class="since">
<dt class="dlterm">
Since
</dt>
<dd>
S60 V5.0
</dd>
</dl>
</div>
</div>
</div>
<div class="section parameters">
<h3 class="sectiontitle">
Parameters
</h3>
<table border="0" class="parameters">
<tr>
<td class="parameter">
<a href="GUID-FAEBF321-6B08-3041-A01F-B1E7282D0707.html">
RArray
</a>
<
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
> & aResult
</td>
<td>
An array to be filled with uids.
</td>
</tr>
</table>
</div>
</div>
<div class="nested1" id="GUID-C4355AEF-68DD-34B9-A008-84BEB1C61696">
<a name="GUID-C4355AEF-68DD-34B9-A008-84BEB1C61696">
<!-- -->
</a>
<h2 class="topictitle2">
ListLanguagesL(RArray< TInt > &)
</h2>
<table class="signature">
<tr>
<td>
void
</td>
<td>
ListLanguagesL
</td>
<td>
(
</td>
<td>
<a href="GUID-FAEBF321-6B08-3041-A01F-B1E7282D0707.html">
RArray
</a>
<
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
> &
</td>
<td>
aResult
</td>
<td>
)
</td>
<td>
[pure virtual]
</td>
</tr>
</table>
<div class="section">
<div>
<p>
Lists all languages supported by this data factory.
</p>
<div class="p">
<dl class="since">
<dt class="dlterm">
Since
</dt>
<dd>
S60 5.0
</dd>
</dl>
</div>
</div>
</div>
<div class="section parameters">
<h3 class="sectiontitle">
Parameters
</h3>
<table border="0" class="parameters">
<tr>
<td class="parameter">
<a href="GUID-FAEBF321-6B08-3041-A01F-B1E7282D0707.html">
RArray
</a>
<
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
> & aResult
</td>
<td>
List instance for storing results.
</td>
</tr>
</table>
</div>
</div>
<div class="nested1" id="GUID-7BC9394A-F0A4-323A-B2F6-69AB5090A353">
<a name="GUID-7BC9394A-F0A4-323A-B2F6-69AB5090A353">
<!-- -->
</a>
<h2 class="topictitle2">
Reserved_1()
</h2>
<table class="signature">
<tr>
<td>
IMPORT_C void
</td>
<td>
Reserved_1
</td>
<td>
(
</td>
<td>
)
</td>
<td>
[virtual]
</td>
</tr>
</table>
<div class="section">
</div>
</div>
<div class="nested1" id="GUID-84B9F5A6-20CE-3596-9BFC-FFD93679E105">
<a name="GUID-84B9F5A6-20CE-3596-9BFC-FFD93679E105">
<!-- -->
</a>
<h2 class="topictitle2">
Reserved_2()
</h2>
<table class="signature">
<tr>
<td>
IMPORT_C void
</td>
<td>
Reserved_2
</td>
<td>
(
</td>
<td>
)
</td>
<td>
[virtual]
</td>
</tr>
</table>
<div class="section">
</div>
</div>
<div class="nested1" id="GUID-EAB64EA6-597C-373C-9DCA-7F4D1ED721DA">
<a name="GUID-EAB64EA6-597C-373C-9DCA-7F4D1ED721DA">
<!-- -->
</a>
<h2 class="topictitle2">
SetDestructorKeyId(TInt)
</h2>
<table class="signature">
<tr>
<td>
void
</td>
<td>
SetDestructorKeyId
</td>
<td>
(
</td>
<td>
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
aUid
</td>
<td>
)
</td>
<td>
[private, inline]
</td>
</tr>
</table>
<div class="section">
</div>
<div class="section parameters">
<h3 class="sectiontitle">
Parameters
</h3>
<table border="0" class="parameters">
<tr>
<td class="parameter">
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
aUid
</td>
<td>
</td>
</tr>
</table>
</div>
</div>
<div class="nested1" id="GUID-B2A96013-7D7C-34F6-AA7A-0EF3A9FC4A87">
<a name="GUID-B2A96013-7D7C-34F6-AA7A-0EF3A9FC4A87">
<!-- -->
</a>
<h2 class="topictitle2">
SetImplementationUid(TInt)
</h2>
<table class="signature">
<tr>
<td>
void
</td>
<td>
SetImplementationUid
</td>
<td>
(
</td>
<td>
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
aUid
</td>
<td>
)
</td>
<td>
[private, inline]
</td>
</tr>
</table>
<div class="section">
</div>
<div class="section parameters">
<h3 class="sectiontitle">
Parameters
</h3>
<table border="0" class="parameters">
<tr>
<td class="parameter">
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
aUid
</td>
<td>
</td>
</tr>
</table>
</div>
</div>
<h1 class="pageHeading topictitle1">
Member Data Documentation
</h1>
<div class="nested1" id="GUID-248752D2-78D5-3D4C-9669-003664FE8370">
<a name="GUID-248752D2-78D5-3D4C-9669-003664FE8370">
<!-- -->
</a>
<h2 class="topictitle2">
TInt
iDTorId
</h2>
<table class="signature">
<tr>
<td>
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
iDTorId
</td>
<td>
[private]
</td>
</tr>
</table>
<div class="section">
</div>
</div>
<div class="nested1" id="GUID-918F3835-B3D0-34D8-A23C-EA33DCF87892">
<a name="GUID-918F3835-B3D0-34D8-A23C-EA33DCF87892">
<!-- -->
</a>
<h2 class="topictitle2">
TInt
iImplUid
</h2>
<table class="signature">
<tr>
<td>
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
iImplUid
</td>
<td>
[private]
</td>
</tr>
</table>
<div class="section">
</div>
</div>
<div class="nested1" id="GUID-425BEFBE-639E-33F5-B1C3-83CFF34AE854">
<a name="GUID-425BEFBE-639E-33F5-B1C3-83CFF34AE854">
<!-- -->
</a>
<h2 class="topictitle2">
TInt
iReserved
</h2>
<table class="signature">
<tr>
<td>
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
iReserved
</td>
<td>
[private]
</td>
</tr>
</table>
<div class="section">
</div>
</div>
<p class="copyright">Copyright ©2010 Nokia Corporation and/or its subsidiary(-ies).<br /> All rights
reserved. Unless otherwise stated, these materials are provided under the terms of the <a href=" http://www.eclipse.org/legal/epl-v10.html"> Eclipse Public License
v1.0</a>.</p>
</div>
</div>
<?php include_once (CURRENT_SKIN_PATH.'/sdl_footer.html'); ?>
</body>
</html> | Java |
package org.eclipse.scout.widgets.heatmap.client.ui.form.fields.heatmapfield;
import java.util.Collection;
import org.eclipse.scout.rt.client.ui.form.fields.IFormField;
public interface IHeatmapField extends IFormField {
String PROP_VIEW_PARAMETER = "viewParameter";
String PROP_HEAT_POINT_LIST = "heatPointList";
HeatmapViewParameter getViewParameter();
Collection<HeatPoint> getHeatPoints();
void handleClick(MapPoint point);
void addHeatPoint(HeatPoint heatPoint);
void addHeatPoints(Collection<HeatPoint> heatPoints);
void setHeatPoints(Collection<HeatPoint> heatPoints);
void setViewParameter(HeatmapViewParameter parameter);
IHeatmapFieldUIFacade getUIFacade();
void addHeatmapListener(IHeatmapListener listener);
void removeHeatmapListener(IHeatmapListener listener);
}
| Java |
/*
* Copyright (c) 2015 Cisco Systems, Inc. and others. All rights reserved.
*
* This program and the accompanying materials are made available under the
* terms of the Eclipse Public License v1.0 which accompanies this distribution,
* and is available at http://www.eclipse.org/legal/epl-v10.html
*/
package org.opendaylight.protocol.bgp.linkstate.nlri;
import static org.opendaylight.protocol.util.ByteBufWriteUtil.writeIpv4Address;
import static org.opendaylight.protocol.util.ByteBufWriteUtil.writeIpv6Address;
import static org.opendaylight.protocol.util.ByteBufWriteUtil.writeShort;
import static org.opendaylight.protocol.util.ByteBufWriteUtil.writeUnsignedShort;
import com.google.common.annotations.VisibleForTesting;
import com.google.common.base.Preconditions;
import io.netty.buffer.ByteBuf;
import org.opendaylight.yang.gen.v1.urn.ietf.params.xml.ns.yang.ietf.inet.types.rev100924.Ipv4Address;
import org.opendaylight.yang.gen.v1.urn.ietf.params.xml.ns.yang.ietf.inet.types.rev100924.Ipv6Address;
import org.opendaylight.yang.gen.v1.urn.opendaylight.params.xml.ns.yang.bgp.linkstate.rev150210.NlriType;
import org.opendaylight.yang.gen.v1.urn.opendaylight.params.xml.ns.yang.bgp.linkstate.rev150210.linkstate.destination.CLinkstateDestination;
import org.opendaylight.yang.gen.v1.urn.opendaylight.params.xml.ns.yang.bgp.linkstate.rev150210.linkstate.object.type.TeLspCase;
import org.opendaylight.yang.gen.v1.urn.opendaylight.params.xml.ns.yang.bgp.linkstate.rev150210.linkstate.object.type.TeLspCaseBuilder;
import org.opendaylight.yang.gen.v1.urn.opendaylight.params.xml.ns.yang.bgp.linkstate.rev150210.linkstate.object.type.te.lsp._case.AddressFamily;
import org.opendaylight.yang.gen.v1.urn.opendaylight.params.xml.ns.yang.bgp.linkstate.rev150210.linkstate.object.type.te.lsp._case.address.family.Ipv4Case;
import org.opendaylight.yang.gen.v1.urn.opendaylight.params.xml.ns.yang.bgp.linkstate.rev150210.linkstate.object.type.te.lsp._case.address.family.Ipv4CaseBuilder;
import org.opendaylight.yang.gen.v1.urn.opendaylight.params.xml.ns.yang.bgp.linkstate.rev150210.linkstate.object.type.te.lsp._case.address.family.Ipv6Case;
import org.opendaylight.yang.gen.v1.urn.opendaylight.params.xml.ns.yang.bgp.linkstate.rev150210.linkstate.object.type.te.lsp._case.address.family.Ipv6CaseBuilder;
import org.opendaylight.yang.gen.v1.urn.opendaylight.params.xml.ns.yang.rsvp.rev150820.LspId;
import org.opendaylight.yang.gen.v1.urn.opendaylight.params.xml.ns.yang.rsvp.rev150820.TunnelId;
import org.opendaylight.yangtools.yang.common.QName;
import org.opendaylight.yangtools.yang.data.api.YangInstanceIdentifier;
import org.opendaylight.yangtools.yang.data.api.schema.ChoiceNode;
import org.opendaylight.yangtools.yang.data.api.schema.ContainerNode;
@VisibleForTesting
public final class TeLspNlriParser {
@VisibleForTesting
public static final YangInstanceIdentifier.NodeIdentifier LSP_ID = new YangInstanceIdentifier.NodeIdentifier(
QName.create(CLinkstateDestination.QNAME, "lsp-id").intern());
@VisibleForTesting
public static final YangInstanceIdentifier.NodeIdentifier TUNNEL_ID = new YangInstanceIdentifier.NodeIdentifier(
QName.create(CLinkstateDestination.QNAME, "tunnel-id").intern());
@VisibleForTesting
public static final YangInstanceIdentifier.NodeIdentifier IPV4_TUNNEL_SENDER_ADDRESS = new YangInstanceIdentifier.NodeIdentifier(
QName.create(CLinkstateDestination.QNAME, "ipv4-tunnel-sender-address").intern());
@VisibleForTesting
public static final YangInstanceIdentifier.NodeIdentifier IPV4_TUNNEL_ENDPOINT_ADDRESS = new YangInstanceIdentifier
.NodeIdentifier(QName.create(CLinkstateDestination.QNAME, "ipv4-tunnel-endpoint-address").intern());
@VisibleForTesting
public static final YangInstanceIdentifier.NodeIdentifier IPV6_TUNNEL_SENDER_ADDRESS = new YangInstanceIdentifier
.NodeIdentifier( QName.create(CLinkstateDestination.QNAME, "ipv6-tunnel-sender-address").intern());
@VisibleForTesting
public static final YangInstanceIdentifier.NodeIdentifier IPV6_TUNNEL_ENDPOINT_ADDRESS = new YangInstanceIdentifier
.NodeIdentifier(QName.create(CLinkstateDestination.QNAME, "ipv6-tunnel-endpoint-address").intern());
@VisibleForTesting
public static final YangInstanceIdentifier.NodeIdentifier IPV4_CASE = new YangInstanceIdentifier.NodeIdentifier(Ipv4Case.QNAME);
@VisibleForTesting
public static final YangInstanceIdentifier.NodeIdentifier IPV6_CASE = new YangInstanceIdentifier.NodeIdentifier(Ipv6Case.QNAME);
@VisibleForTesting
public static final YangInstanceIdentifier.NodeIdentifier ADDRESS_FAMILY = new YangInstanceIdentifier.NodeIdentifier(AddressFamily.QNAME);
private TeLspNlriParser() {
throw new UnsupportedOperationException();
}
public static NlriType serializeIpvTSA(final AddressFamily addressFamily, final ByteBuf body) {
if (addressFamily.equals(Ipv6Case.class)) {
final Ipv6Address ipv6 = ((Ipv6Case) addressFamily).getIpv6TunnelSenderAddress();
Preconditions.checkArgument(ipv6 != null, "Ipv6TunnelSenderAddress is mandatory.");
writeIpv6Address(ipv6, body);
return NlriType.Ipv6TeLsp;
}
final Ipv4Address ipv4 = ((Ipv4Case) addressFamily).getIpv4TunnelSenderAddress();
Preconditions.checkArgument(ipv4 != null, "Ipv4TunnelSenderAddress is mandatory.");
writeIpv4Address(ipv4, body);
return NlriType.Ipv4TeLsp;
}
public static void serializeTunnelID(final TunnelId tunnelID, final ByteBuf body) {
Preconditions.checkArgument(tunnelID != null, "TunnelId is mandatory.");
writeUnsignedShort(tunnelID.getValue(), body);
}
public static void serializeLspID(final LspId lspId, final ByteBuf body) {
Preconditions.checkArgument(lspId != null, "LspId is mandatory.");
writeShort(lspId.getValue().shortValue(), body);
}
public static void serializeTEA(final AddressFamily addressFamily, final ByteBuf body) {
if (addressFamily.equals(Ipv6Case.class)) {
final Ipv6Address ipv6 = ((Ipv6Case) addressFamily).getIpv6TunnelEndpointAddress();
Preconditions.checkArgument(ipv6 != null, "Ipv6TunnelEndpointAddress is mandatory.");
writeIpv6Address(ipv6, body);
return;
}
final Ipv4Address ipv4 = ((Ipv4Case) addressFamily).getIpv4TunnelEndpointAddress();
Preconditions.checkArgument(ipv4 != null, "Ipv4TunnelEndpointAddress is mandatory.");
Preconditions.checkArgument(ipv4 != null, "Ipv4TunnelEndpointAddress is mandatory.");
writeIpv4Address(ipv4, body);
}
public static TeLspCase serializeTeLsp(final ContainerNode containerNode) {
final TeLspCaseBuilder teLspCase = new TeLspCaseBuilder();
teLspCase.setLspId(new LspId((Long) containerNode.getChild(LSP_ID).get().getValue()));
teLspCase.setTunnelId(new TunnelId((Integer) containerNode.getChild(TUNNEL_ID).get().getValue()));
if(containerNode.getChild(ADDRESS_FAMILY).isPresent()) {
final ChoiceNode addressFamily = (ChoiceNode) containerNode.getChild(ADDRESS_FAMILY).get();
if(addressFamily.getChild(IPV4_CASE).isPresent()) {
teLspCase.setAddressFamily(serializeAddressFamily((ContainerNode) addressFamily.getChild(IPV4_CASE)
.get(), true));
}else{
teLspCase.setAddressFamily(serializeAddressFamily((ContainerNode) addressFamily.getChild(IPV6_CASE)
.get(), false));
}
}
return teLspCase.build();
}
private static AddressFamily serializeAddressFamily(final ContainerNode containerNode, final boolean ipv4Case) {
if(ipv4Case) {
return new Ipv4CaseBuilder()
.setIpv4TunnelSenderAddress(new Ipv4Address((String) containerNode.getChild(IPV4_TUNNEL_SENDER_ADDRESS).get().getValue()))
.setIpv4TunnelEndpointAddress(new Ipv4Address((String) containerNode.getChild(IPV4_TUNNEL_ENDPOINT_ADDRESS).get().getValue()))
.build();
}
return new Ipv6CaseBuilder()
.setIpv6TunnelSenderAddress(new Ipv6Address((String) containerNode.getChild(IPV6_TUNNEL_SENDER_ADDRESS).get().getValue()))
.setIpv6TunnelEndpointAddress(new Ipv6Address((String) containerNode.getChild(IPV6_TUNNEL_ENDPOINT_ADDRESS).get().getValue()))
.build();
}
}
| Java |
/**
*/
package WTSpec4M.presentation;
import org.eclipse.emf.common.ui.URIEditorInput;
import org.eclipse.emf.common.ui.action.WorkbenchWindowActionDelegate;
import org.eclipse.emf.common.util.URI;
import org.eclipse.emf.edit.ui.action.LoadResourceAction;
import org.eclipse.emf.edit.ui.util.EditUIUtil;
import org.eclipse.equinox.app.IApplication;
import org.eclipse.equinox.app.IApplicationContext;
import org.eclipse.jface.action.GroupMarker;
import org.eclipse.jface.action.IAction;
import org.eclipse.jface.action.IMenuManager;
import org.eclipse.jface.action.MenuManager;
import org.eclipse.jface.action.Separator;
import org.eclipse.jface.dialogs.MessageDialog;
import org.eclipse.jface.window.Window;
import org.eclipse.swt.widgets.Display;
import org.eclipse.swt.widgets.Shell;
import org.eclipse.ui.IEditorDescriptor;
import org.eclipse.ui.IFolderLayout;
import org.eclipse.ui.IPageLayout;
import org.eclipse.ui.IPerspectiveFactory;
import org.eclipse.ui.IViewPart;
import org.eclipse.ui.IWorkbench;
import org.eclipse.ui.IWorkbenchActionConstants;
import org.eclipse.ui.IWorkbenchPage;
import org.eclipse.ui.IWorkbenchWindow;
import org.eclipse.ui.PartInitException;
import org.eclipse.ui.PlatformUI;
import org.eclipse.ui.actions.ActionFactory;
import org.eclipse.ui.application.ActionBarAdvisor;
import org.eclipse.ui.application.IActionBarConfigurer;
import org.eclipse.ui.application.IWorkbenchConfigurer;
import org.eclipse.ui.application.IWorkbenchWindowConfigurer;
import org.eclipse.ui.application.WorkbenchAdvisor;
import org.eclipse.ui.application.WorkbenchWindowAdvisor;
import org.mondo.collaboration.online.rap.widgets.CurrentUserView;
import org.mondo.collaboration.online.rap.widgets.DefaultPerspectiveAdvisor;
import org.mondo.collaboration.online.rap.widgets.ModelExplorer;
import org.mondo.collaboration.online.rap.widgets.ModelLogView;
import org.mondo.collaboration.online.rap.widgets.WhiteboardChatView;
/**
* Customized {@link WorkbenchAdvisor} for the RCP application.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public final class WTSpec4MEditorAdvisor extends WorkbenchAdvisor {
/**
* This looks up a string in the plugin's plugin.properties file.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
private static String getString(String key) {
return WTSpec4MEditorPlugin.INSTANCE.getString(key);
}
/**
* This looks up a string in plugin.properties, making a substitution.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
private static String getString(String key, Object s1) {
return WTSpec4M.presentation.WTSpec4MEditorPlugin.INSTANCE.getString(key, new Object [] { s1 });
}
/**
* RCP's application
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public static class Application implements IApplication {
/**
* @see org.eclipse.equinox.app.IApplication#start(org.eclipse.equinox.app.IApplicationContext)
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public Object start(IApplicationContext context) throws Exception {
WorkbenchAdvisor workbenchAdvisor = new WTSpec4MEditorAdvisor();
Display display = PlatformUI.createDisplay();
try {
int returnCode = PlatformUI.createAndRunWorkbench(display, workbenchAdvisor);
if (returnCode == PlatformUI.RETURN_RESTART) {
return IApplication.EXIT_RESTART;
}
else {
return IApplication.EXIT_OK;
}
}
finally {
display.dispose();
}
}
/**
* @see org.eclipse.equinox.app.IApplication#stop()
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public void stop() {
// Do nothing.
}
}
/**
* RCP's perspective
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public static class Perspective implements IPerspectiveFactory {
/**
* Perspective ID
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public static final String ID_PERSPECTIVE = "WTSpec4M.presentation.WTSpec4MEditorAdvisorPerspective";
/**
* @see org.eclipse.ui.IPerspectiveFactory#createInitialLayout(org.eclipse.ui.IPageLayout)
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public void createInitialLayout(IPageLayout layout) {
layout.setEditorAreaVisible(true);
layout.addPerspectiveShortcut(ID_PERSPECTIVE);
IFolderLayout left = layout.createFolder("left", IPageLayout.LEFT, (float)0.33, layout.getEditorArea());
left.addView(ModelExplorer.ID);
IFolderLayout bottomLeft = layout.createFolder("bottomLeft", IPageLayout.BOTTOM, (float)0.90, "left");
bottomLeft.addView(CurrentUserView.ID);
IFolderLayout topRight = layout.createFolder("topRight", IPageLayout.RIGHT, (float)0.55, layout.getEditorArea());
topRight.addView(WhiteboardChatView.ID);
IFolderLayout right = layout.createFolder("right", IPageLayout.BOTTOM, (float)0.33, "topRight");
right.addView(ModelLogView.ID);
IFolderLayout bottomRight = layout.createFolder("bottomRight", IPageLayout.BOTTOM, (float)0.60, "right");
bottomRight.addView(IPageLayout.ID_PROP_SHEET);
}
}
/**
* RCP's window advisor
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public static class WindowAdvisor extends WorkbenchWindowAdvisor {
private Shell shell;
/**
* @see WorkbenchWindowAdvisor#WorkbenchWindowAdvisor(org.eclipse.ui.application.IWorkbenchWindowConfigurer)
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public WindowAdvisor(IWorkbenchWindowConfigurer configurer) {
super(configurer);
}
@Override
public void createWindowContents(Shell shell) {
super.createWindowContents(shell);
this.shell = shell;
}
@Override
public void postWindowOpen() {
super.postWindowOpen();
shell.setMaximized(true);
DefaultPerspectiveAdvisor.hideDefaultViews();
}
/**
* @see org.eclipse.ui.application.WorkbenchWindowAdvisor#preWindowOpen()
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
@Override
public void preWindowOpen() {
IWorkbenchWindowConfigurer configurer = getWindowConfigurer();
// configurer.setInitialSize(new Point(600, 450));
configurer.setShowCoolBar(false);
configurer.setShowStatusLine(true);
configurer.setTitle(getString("_UI_Application_title"));
}
/**
* @see org.eclipse.ui.application.WorkbenchWindowAdvisor#createActionBarAdvisor(org.eclipse.ui.application.IActionBarConfigurer)
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
@Override
public ActionBarAdvisor createActionBarAdvisor(IActionBarConfigurer configurer) {
return new WindowActionBarAdvisor(configurer);
}
}
/**
* RCP's action bar advisor
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public static class WindowActionBarAdvisor extends ActionBarAdvisor {
/**
* @see ActionBarAdvisor#ActionBarAdvisor(org.eclipse.ui.application.IActionBarConfigurer)
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public WindowActionBarAdvisor(IActionBarConfigurer configurer) {
super(configurer);
}
/**
* @see org.eclipse.ui.application.ActionBarAdvisor#fillMenuBar(org.eclipse.jface.action.IMenuManager)
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
@Override
protected void fillMenuBar(IMenuManager menuBar) {
IWorkbenchWindow window = getActionBarConfigurer().getWindowConfigurer().getWindow();
menuBar.add(createFileMenu(window));
menuBar.add(createEditMenu(window));
menuBar.add(new GroupMarker(IWorkbenchActionConstants.MB_ADDITIONS));
menuBar.add(createWindowMenu(window));
menuBar.add(createHelpMenu(window));
}
/**
* Creates the 'File' menu.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
protected IMenuManager createFileMenu(IWorkbenchWindow window) {
IMenuManager menu = new MenuManager(getString("_UI_Menu_File_label"),
IWorkbenchActionConstants.M_FILE);
menu.add(new GroupMarker(IWorkbenchActionConstants.FILE_START));
IMenuManager newMenu = new MenuManager(getString("_UI_Menu_New_label"), "new");
newMenu.add(new GroupMarker(IWorkbenchActionConstants.MB_ADDITIONS));
menu.add(newMenu);
menu.add(new Separator());
menu.add(new GroupMarker(IWorkbenchActionConstants.MB_ADDITIONS));
menu.add(new Separator());
addToMenuAndRegister(menu, ActionFactory.CLOSE.create(window));
addToMenuAndRegister(menu, ActionFactory.CLOSE_ALL.create(window));
menu.add(new Separator());
addToMenuAndRegister(menu, ActionFactory.SAVE.create(window));
addToMenuAndRegister(menu, ActionFactory.SAVE_AS.create(window));
addToMenuAndRegister(menu, ActionFactory.SAVE_ALL.create(window));
menu.add(new Separator());
addToMenuAndRegister(menu, ActionFactory.QUIT.create(window));
menu.add(new GroupMarker(IWorkbenchActionConstants.FILE_END));
return menu;
}
/**
* Creates the 'Edit' menu.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
protected IMenuManager createEditMenu(IWorkbenchWindow window) {
IMenuManager menu = new MenuManager(getString("_UI_Menu_Edit_label"),
IWorkbenchActionConstants.M_EDIT);
menu.add(new GroupMarker(IWorkbenchActionConstants.EDIT_START));
addToMenuAndRegister(menu, ActionFactory.UNDO.create(window));
addToMenuAndRegister(menu, ActionFactory.REDO.create(window));
menu.add(new GroupMarker(IWorkbenchActionConstants.UNDO_EXT));
menu.add(new Separator());
addToMenuAndRegister(menu, ActionFactory.CUT.create(window));
addToMenuAndRegister(menu, ActionFactory.COPY.create(window));
addToMenuAndRegister(menu, ActionFactory.PASTE.create(window));
menu.add(new GroupMarker(IWorkbenchActionConstants.CUT_EXT));
menu.add(new Separator());
addToMenuAndRegister(menu, ActionFactory.DELETE.create(window));
addToMenuAndRegister(menu, ActionFactory.SELECT_ALL.create(window));
menu.add(new Separator());
menu.add(new GroupMarker(IWorkbenchActionConstants.ADD_EXT));
menu.add(new GroupMarker(IWorkbenchActionConstants.EDIT_END));
menu.add(new Separator(IWorkbenchActionConstants.MB_ADDITIONS));
return menu;
}
/**
* Creates the 'Window' menu.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
protected IMenuManager createWindowMenu(IWorkbenchWindow window) {
IMenuManager menu = new MenuManager(getString("_UI_Menu_Window_label"),
IWorkbenchActionConstants.M_WINDOW);
addToMenuAndRegister(menu, ActionFactory.OPEN_NEW_WINDOW.create(window));
menu.add(new GroupMarker(IWorkbenchActionConstants.MB_ADDITIONS));
return menu;
}
/**
* Creates the 'Help' menu.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
protected IMenuManager createHelpMenu(IWorkbenchWindow window) {
IMenuManager menu = new MenuManager(getString("_UI_Menu_Help_label"), IWorkbenchActionConstants.M_HELP);
// Welcome or intro page would go here
// Help contents would go here
// Tips and tricks page would go here
menu.add(new GroupMarker(IWorkbenchActionConstants.HELP_START));
menu.add(new GroupMarker(IWorkbenchActionConstants.HELP_END));
menu.add(new GroupMarker(IWorkbenchActionConstants.MB_ADDITIONS));
return menu;
}
/**
* Adds the specified action to the given menu and also registers the action with the
* action bar configurer, in order to activate its key binding.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
protected void addToMenuAndRegister(IMenuManager menuManager, IAction action) {
menuManager.add(action);
getActionBarConfigurer().registerGlobalAction(action);
}
}
/**
* About action for the RCP application.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public static class AboutAction extends WorkbenchWindowActionDelegate {
/**
* @see org.eclipse.ui.IActionDelegate#run(org.eclipse.jface.action.IAction)
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public void run(IAction action) {
MessageDialog.openInformation(getWindow().getShell(), getString("_UI_About_title"),
getString("_UI_About_text"));
}
}
/**
* Open URI action for the objects from the WTSpec4M model.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public static class OpenURIAction extends WorkbenchWindowActionDelegate {
/**
* Opens the editors for the files selected using the LoadResourceDialog.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public void run(IAction action) {
LoadResourceAction.LoadResourceDialog loadResourceDialog = new LoadResourceAction.LoadResourceDialog(getWindow().getShell());
if (Window.OK == loadResourceDialog.open()) {
for (URI uri : loadResourceDialog.getURIs()) {
openEditor(getWindow().getWorkbench(), uri);
}
}
}
}
/**
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public static boolean openEditor(IWorkbench workbench, URI uri) {
IWorkbenchWindow workbenchWindow = workbench.getActiveWorkbenchWindow();
IWorkbenchPage page = workbenchWindow.getActivePage();
IEditorDescriptor editorDescriptor = EditUIUtil.getDefaultEditor(uri, null);
if (editorDescriptor == null) {
MessageDialog.openError(
workbenchWindow.getShell(),
getString("_UI_Error_title"),
getString("_WARN_No_Editor", uri.lastSegment()));
return false;
}
else {
try {
page.openEditor(new URIEditorInput(uri), editorDescriptor.getId());
}
catch (PartInitException exception) {
MessageDialog.openError(
workbenchWindow.getShell(),
getString("_UI_OpenEditorError_label"),
exception.getMessage());
return false;
}
}
return true;
}
/**
* @see org.eclipse.ui.application.WorkbenchAdvisor#getInitialWindowPerspectiveId()
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
@Override
public String getInitialWindowPerspectiveId() {
return Perspective.ID_PERSPECTIVE;
}
/**
* @see org.eclipse.ui.application.WorkbenchAdvisor#initialize(org.eclipse.ui.application.IWorkbenchConfigurer)
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
@Override
public void initialize(IWorkbenchConfigurer configurer) {
super.initialize(configurer);
configurer.setSaveAndRestore(true);
}
/**
* @see org.eclipse.ui.application.WorkbenchAdvisor#createWorkbenchWindowAdvisor(org.eclipse.ui.application.IWorkbenchWindowConfigurer)
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
@Override
public WorkbenchWindowAdvisor createWorkbenchWindowAdvisor(IWorkbenchWindowConfigurer configurer) {
return new WindowAdvisor(configurer);
}
}
| Java |
import java.sql.*;
public class ConnessioneDB {
static {
try {
Class.forName("com.mysql.jdbc.Driver").newInstance();
} catch (InstantiationException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (IllegalAccessException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (ClassNotFoundException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
Connection conn = null;
String url = "jdbc:mysql://localhost:3306/";
String dbName = "calcio";
String userName = "root";
String password = "";
/*
String url = "jdbc:mysql://127.11.139.2:3306/";
String dbName = "sirio";
String userName = "adminlL8hBfI";
String password = "HPZjQCQsnVG4";
*/
public Connection openConnection(){
try {
conn = DriverManager.getConnection(url+dbName,userName,password);
System.out.println("Connessione al DataBase stabilita!");
} catch (SQLException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
return conn;
}
public void closeConnection(Connection conn){
try {
conn.close();
System.out.println(" Chiusa connessione al DB!");
}
catch (SQLException e) {
e.printStackTrace();
}
}
}
| Java |
<?xml version="1.0" encoding="UTF-8"?>
<!DOCTYPE html
PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html lang="en-us" xml:lang="en-us">
<head>
<meta http-equiv="Content-Type" content="text/html; charset=utf-8"/>
<meta name="copyright" content="(C) Copyright 2010"/>
<meta name="DC.rights.owner" content="(C) Copyright 2010"/>
<meta name="DC.Type" content="cxxStruct"/>
<meta name="DC.Title" content="NW_WBXML_DictEntry_s"/>
<meta name="DC.Format" content="XHTML"/>
<meta name="DC.Identifier" content="GUID-96500C2E-AB23-3B72-9F5C-B3CDB907B7A1"/>
<title>NW_WBXML_DictEntry_s</title>
<link type="text/css" rel="stylesheet" href="css/common.css" media="screen"/>
<link type="text/css" rel="stylesheet" href="css/sdl.css" media="screen"/>
<!--[if IE]>
<link href="css/iefix.css" rel="stylesheet" type="text/css" media="screen" />
<![endif]-->
<meta name="keywords" content="api"/><link rel="stylesheet" type="text/css" href="cxxref.css"/></head>
<body class="cxxref" id="GUID-96500C2E-AB23-3B72-9F5C-B3CDB907B7A1"><a name="GUID-96500C2E-AB23-3B72-9F5C-B3CDB907B7A1"><!-- --></a>
<?php include_once (CURRENT_SKIN_PATH.'/sdl_header.html'); ?>
<div id="sdl_container">
<div id="leftMenu">
<div id="expandcontractdiv">
<a id="collapseTree" href="javascript:tree.collapseAll()">Collapse all</a>
<a id="index" href="index.html">Symbian^3 Product Developer Library</a>
</div>
<iframe style="border:none" height="800" width="300" src="index-toc.html"></iframe>
<div id="treeDiv1"> </div>
<script type="text/javascript">
var currentIconMode = 0; window.name="id2437088 id2437096 id2366708 id2678541 id2678630 id2679019 ";
YAHOO.util.Event.onDOMReady(buildTree, this,true);
</script>
</div>
<div id="sdl_content">
<div class="breadcrumb"><a href="index.html" title="Symbian^3 Product Developer Library">Symbian^3 Product Developer Library</a> ></div>
<h1 class="topictitle1">NW_WBXML_DictEntry_s Struct Reference</h1>
<table class="signature"><tr><td>struct NW_WBXML_DictEntry_s</td></tr></table><div class="section"></div>
<div class="section member-index"><table border="0" class="member-index"><thead><tr><th colspan="2">Public Attributes</th></tr></thead><tbody><tr><td align="right" valign="top">
<a href="GUID-AB88C0D1-3074-390C-AB9C-6F2CAF37358B.html">NW_String_UCS2Buff_t</a> *</td><td><a href="#GUID-6CDDAA87-2706-3B2C-AB3D-B7CA71F9ED9A">name</a></td></tr><tr class="bg"><td align="right" valign="top">
<a href="GUID-F3173C6F-3297-31CF-B82A-11B084BDCD68.html">NW_Byte</a>
</td><td><a href="#GUID-EF10F77C-BABC-30AB-A33D-3488F3F2E9A1">token</a></td></tr></tbody></table></div><h1 class="pageHeading topictitle1">Member Data Documentation</h1><div class="nested1" id="GUID-6CDDAA87-2706-3B2C-AB3D-B7CA71F9ED9A"><a name="GUID-6CDDAA87-2706-3B2C-AB3D-B7CA71F9ED9A"><!-- --></a>
<h2 class="topictitle2">
NW_String_UCS2Buff_t * name</h2>
<table class="signature"><tr><td>
<a href="GUID-AB88C0D1-3074-390C-AB9C-6F2CAF37358B.html">NW_String_UCS2Buff_t</a> *</td><td>name</td></tr></table><div class="section"></div>
</div>
<div class="nested1" id="GUID-EF10F77C-BABC-30AB-A33D-3488F3F2E9A1"><a name="GUID-EF10F77C-BABC-30AB-A33D-3488F3F2E9A1"><!-- --></a>
<h2 class="topictitle2">
NW_Byte
token</h2>
<table class="signature"><tr><td>
<a href="GUID-F3173C6F-3297-31CF-B82A-11B084BDCD68.html">NW_Byte</a>
</td><td>token</td></tr></table><div class="section"></div>
</div>
<p class="copyright">Copyright ©2010 Nokia Corporation and/or its subsidiary(-ies).<br /> All rights
reserved. Unless otherwise stated, these materials are provided under the terms of the <a href=" http://www.eclipse.org/legal/epl-v10.html"> Eclipse Public License
v1.0</a>.</p>
</div>
</div>
<?php include_once (CURRENT_SKIN_PATH.'/sdl_footer.html'); ?>
</body>
</html> | Java |
package com.huihuang.utils;
import java.lang.reflect.Method;
import java.util.HashMap;
import java.util.Map;
public class BeanToMap<K, V> {
private BeanToMap() {
}
@SuppressWarnings("unchecked")
public static <K, V> Map<K, V> bean2Map(Object javaBean) {
Map<K, V> ret = new HashMap<K, V>();
try {
Method[] methods = javaBean.getClass().getDeclaredMethods();
for (Method method : methods) {
if (method.getName().startsWith("get")) {
String field = method.getName();
field = field.substring(field.indexOf("get") + 3);
field = field.toLowerCase().charAt(0) + field.substring(1);
Object value = method.invoke(javaBean, (Object[]) null);
ret.put((K) field, (V) (null == value ? "" : value));
}
}
} catch (Exception e) {
}
return ret;
}
}
| Java |
<?xml version='1.0' encoding='utf-8'?>
<!DOCTYPE html
PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html lang="en-us" xml:lang="en-us">
<head>
<meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
<meta name="copyright" content="(C) Copyright 2010" />
<meta name="DC.rights.owner" content="(C) Copyright 2010" />
<meta name="DC.Type" content="cxxClass" />
<meta name="DC.Title" content="Den::Logging" />
<meta name="DC.Format" content="XHTML" />
<meta name="DC.Identifier" content="GUID-62CBFC38-38A4-3834-8B96-59E616A9FF18" />
<title>
Den::Logging
</title>
<link type="text/css" rel="stylesheet" href="css/common.css" media="screen"/>
<link type="text/css" rel="stylesheet" href="css/sdl.css" media="screen"/>
<!--[if IE]>
<link href="css/iefix.css" rel="stylesheet" type="text/css" media="screen" />
<![endif]-->
<meta name="keywords" content="api" />
<link rel="stylesheet" type="text/css" href="cxxref.css" />
</head>
<body class="cxxref" id="GUID-62CBFC38-38A4-3834-8B96-59E616A9FF18">
<a name="GUID-62CBFC38-38A4-3834-8B96-59E616A9FF18">
<!-- -->
</a>
<?php include_once (CURRENT_SKIN_PATH.'/sdl_header.html'); ?>
<div id="sdl_container">
<div id="leftMenu">
<div id="expandcontractdiv">
<a id="collapseTree" href="javascript:tree.collapseAll()">
Collapse all
</a>
<a id="index" href="index.html">
Symbian^3 Application Developer Library
</a>
</div>
<iframe style="border:none" height="800" width="300" src="index-toc.html"></iframe>
<div id="treeDiv1">
 
</div>
<script type="text/javascript">
var currentIconMode = 0; window.name="id2518338 id2518347 id2858858 id2471677 id2472177 id2472182 ";
YAHOO.util.Event.onDOMReady(buildTree, this,true);
</script>
</div>
<div id="sdl_content">
<div class="breadcrumb">
<a href="index.html" title="Symbian^3 Application Developer Library">
Symbian^3 Application Developer Library
</a>
>
</div>
<h1 class="topictitle1">
Den::Logging Class Reference
</h1>
<table class="signature">
<tr>
<td>
class Den::Logging
</td>
</tr>
</table>
<div class="section">
</div>
<div class="section member-index">
<table border="0" class="member-index">
<thead>
<tr>
<th colspan="2">
Public Member Functions
</th>
</tr>
</thead>
<tbody>
<tr>
<td align="right" class="code">
const
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TText8
</a>
*
</td>
<td>
<a href="#GUID-9D26A5B2-8827-3A2A-8297-02615A780734">
IPCMessName
</a>
(
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
)
</td>
</tr>
<tr class="bg">
<td align="right" class="code">
void
</td>
<td>
<a href="#GUID-0CDEC017-26EF-3E47-A29C-BBC3CC307D46">
IPCMessName
</a>
(
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
,
<a href="GUID-445B19E5-E2EE-32E2-8D6C-C7D6A9B3C507.html">
TDes8
</a>
&)
</td>
</tr>
<tr>
<td align="right" class="code">
IMPORT_C void
</td>
<td>
<a href="#GUID-022B3C0F-054B-3306-A082-066D9373A9EA">
Printf
</a>
(
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
, const
<a href="GUID-FB97E0A3-352A-316F-97C6-69E4741A8120.html">
TDesC8
</a>
&,
<a href="GUID-5391E485-A019-358F-85D2-3B55BA439BD1.html">
TRefByValue
</a>
< const
<a href="GUID-FB97E0A3-352A-316F-97C6-69E4741A8120.html">
TDesC8
</a>
>, ...)
</td>
</tr>
<tr class="bg">
<td align="right" class="code">
IMPORT_C void
</td>
<td>
<a href="#GUID-B739C22A-A0CA-3D41-95FE-C1DC132F5BBB">
Printf
</a>
(
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
, const
<a href="GUID-FB97E0A3-352A-316F-97C6-69E4741A8120.html">
TDesC8
</a>
&,
<a href="GUID-62CBFC38-38A4-3834-8B96-59E616A9FF18.html">
TLogEntryType
</a>
,
<a href="GUID-5391E485-A019-358F-85D2-3B55BA439BD1.html">
TRefByValue
</a>
< const
<a href="GUID-FB97E0A3-352A-316F-97C6-69E4741A8120.html">
TDesC8
</a>
>, ...)
</td>
</tr>
<tr>
<td align="right" class="code">
IMPORT_C void
</td>
<td>
<a href="#GUID-FA46CFC5-2C60-3287-83BD-C0DEF15F26AA">
Printf
</a>
(
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
, const
<a href="GUID-FB97E0A3-352A-316F-97C6-69E4741A8120.html">
TDesC8
</a>
&,
<a href="GUID-62CBFC38-38A4-3834-8B96-59E616A9FF18.html">
TLogEntryType
</a>
,
<a href="GUID-5391E485-A019-358F-85D2-3B55BA439BD1.html">
TRefByValue
</a>
< const
<a href="GUID-FB97E0A3-352A-316F-97C6-69E4741A8120.html">
TDesC8
</a>
>,
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
VA_LIST
</a>
&)
</td>
</tr>
</tbody>
</table>
<table border="0" class="member-index">
<thead>
<tr>
<th colspan="2">
Public Member Enumerations
</th>
</tr>
</thead>
<tbody>
<tr>
<td align="right" valign="top">
enum
</td>
<td>
<a href="#GUID-C1C0A50C-1685-3AFF-A7AC-CF213DB13476">
TLogEntryType
</a>
{
<a href="#GUID-A7B9B329-76AC-3E75-A4EE-2F259ACC51DD">
ELogBinary
</a>
= KBinary,
<a href="#GUID-F61D6A71-E3BE-37A8-B6ED-BF67BDA59C8F">
ELogInfo
</a>
= KText,
<a href="#GUID-B51C9E5D-0FF7-3FE5-9A46-047A96C7BE4B">
ELogBlockStart
</a>
,
<a href="#GUID-463FA153-1DFA-3873-9001-1A1490F67807">
ELogBlockEnd
</a>
}
</td>
</tr>
</tbody>
</table>
<table border="0" class="member-index">
<thead>
<tr>
<th colspan="2">
Private Member Enumerations
</th>
</tr>
</thead>
<tbody>
<tr>
<td align="right" valign="top">
enum
</td>
<td>
<a href="#GUID-979B6102-8E82-33F8-B2E5-BC7CB6E23978">
anonymous
</a>
{
<a href="#GUID-5C26C36A-E4B1-3AE4-AAD5-53CD4895C00B">
KPrimaryFilter
</a>
= 194 }
</td>
</tr>
</tbody>
</table>
</div>
<h1 class="pageHeading topictitle1">
Member Functions Documentation
</h1>
<div class="nested1" id="GUID-9D26A5B2-8827-3A2A-8297-02615A780734">
<a name="GUID-9D26A5B2-8827-3A2A-8297-02615A780734">
<!-- -->
</a>
<h2 class="topictitle2">
IPCMessName(TInt)
</h2>
<table class="signature">
<tr>
<td>
const
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TText8
</a>
*
</td>
<td>
IPCMessName
</td>
<td>
(
</td>
<td>
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
aMess
</td>
<td>
)
</td>
<td>
[static]
</td>
</tr>
</table>
<div class="section">
</div>
<div class="section parameters">
<h3 class="sectiontitle">
Parameters
</h3>
<table border="0" class="parameters">
<tr>
<td class="parameter">
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
aMess
</td>
<td>
</td>
</tr>
</table>
</div>
</div>
<div class="nested1" id="GUID-0CDEC017-26EF-3E47-A29C-BBC3CC307D46">
<a name="GUID-0CDEC017-26EF-3E47-A29C-BBC3CC307D46">
<!-- -->
</a>
<h2 class="topictitle2">
IPCMessName(TInt, TDes8 &)
</h2>
<table class="signature">
<tr>
<td>
void
</td>
<td>
IPCMessName
</td>
<td>
(
</td>
<td>
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
aMessNum,
</td>
</tr>
<tr>
<td colspan="3">
</td>
<td>
<a href="GUID-445B19E5-E2EE-32E2-8D6C-C7D6A9B3C507.html">
TDes8
</a>
&
</td>
<td>
aMessBuf
</td>
</tr>
<tr>
<td colspan="2">
</td>
<td>
)
</td>
<td colspan="2">
[static]
</td>
</tr>
</table>
<div class="section">
</div>
<div class="section parameters">
<h3 class="sectiontitle">
Parameters
</h3>
<table border="0" class="parameters">
<tr>
<td class="parameter">
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
aMessNum
</td>
<td>
</td>
</tr>
<tr class="bg">
<td class="parameter">
<a href="GUID-445B19E5-E2EE-32E2-8D6C-C7D6A9B3C507.html">
TDes8
</a>
& aMessBuf
</td>
<td>
</td>
</tr>
</table>
</div>
</div>
<div class="nested1" id="GUID-022B3C0F-054B-3306-A082-066D9373A9EA">
<a name="GUID-022B3C0F-054B-3306-A082-066D9373A9EA">
<!-- -->
</a>
<h2 class="topictitle2">
Printf(TInt, const TDesC8 &, TRefByValue< const TDesC8 >, ...)
</h2>
<table class="signature">
<tr>
<td>
IMPORT_C void
</td>
<td>
Printf
</td>
<td>
(
</td>
<td>
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
aWorkerId,
</td>
</tr>
<tr>
<td colspan="3">
</td>
<td>
const
<a href="GUID-FB97E0A3-352A-316F-97C6-69E4741A8120.html">
TDesC8
</a>
&
</td>
<td>
aSubTag,
</td>
</tr>
<tr>
<td colspan="3">
</td>
<td>
<a href="GUID-5391E485-A019-358F-85D2-3B55BA439BD1.html">
TRefByValue
</a>
< const
<a href="GUID-FB97E0A3-352A-316F-97C6-69E4741A8120.html">
TDesC8
</a>
>
</td>
<td>
aFmt,
</td>
</tr>
<tr>
<td colspan="3">
</td>
<td>
...
</td>
<td>
</td>
</tr>
<tr>
<td colspan="2">
</td>
<td>
)
</td>
<td colspan="2">
[static]
</td>
</tr>
</table>
<div class="section">
</div>
<div class="section parameters">
<h3 class="sectiontitle">
Parameters
</h3>
<table border="0" class="parameters">
<tr>
<td class="parameter">
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
aWorkerId
</td>
<td>
</td>
</tr>
<tr class="bg">
<td class="parameter">
const
<a href="GUID-FB97E0A3-352A-316F-97C6-69E4741A8120.html">
TDesC8
</a>
& aSubTag
</td>
<td>
</td>
</tr>
<tr>
<td class="parameter">
<a href="GUID-5391E485-A019-358F-85D2-3B55BA439BD1.html">
TRefByValue
</a>
< const
<a href="GUID-FB97E0A3-352A-316F-97C6-69E4741A8120.html">
TDesC8
</a>
> aFmt
</td>
<td>
</td>
</tr>
<tr class="bg">
<td class="parameter">
...
</td>
<td>
</td>
</tr>
</table>
</div>
</div>
<div class="nested1" id="GUID-B739C22A-A0CA-3D41-95FE-C1DC132F5BBB">
<a name="GUID-B739C22A-A0CA-3D41-95FE-C1DC132F5BBB">
<!-- -->
</a>
<h2 class="topictitle2">
Printf(TInt, const TDesC8 &, TLogEntryType, TRefByValue< const TDesC8 >, ...)
</h2>
<table class="signature">
<tr>
<td>
IMPORT_C void
</td>
<td>
Printf
</td>
<td>
(
</td>
<td>
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
aWorkerId,
</td>
</tr>
<tr>
<td colspan="3">
</td>
<td>
const
<a href="GUID-FB97E0A3-352A-316F-97C6-69E4741A8120.html">
TDesC8
</a>
&
</td>
<td>
aSubTag,
</td>
</tr>
<tr>
<td colspan="3">
</td>
<td>
<a href="GUID-62CBFC38-38A4-3834-8B96-59E616A9FF18.html">
TLogEntryType
</a>
</td>
<td>
aType,
</td>
</tr>
<tr>
<td colspan="3">
</td>
<td>
<a href="GUID-5391E485-A019-358F-85D2-3B55BA439BD1.html">
TRefByValue
</a>
< const
<a href="GUID-FB97E0A3-352A-316F-97C6-69E4741A8120.html">
TDesC8
</a>
>
</td>
<td>
aFmt,
</td>
</tr>
<tr>
<td colspan="3">
</td>
<td>
...
</td>
<td>
</td>
</tr>
<tr>
<td colspan="2">
</td>
<td>
)
</td>
<td colspan="2">
[static]
</td>
</tr>
</table>
<div class="section">
</div>
<div class="section parameters">
<h3 class="sectiontitle">
Parameters
</h3>
<table border="0" class="parameters">
<tr>
<td class="parameter">
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
aWorkerId
</td>
<td>
</td>
</tr>
<tr class="bg">
<td class="parameter">
const
<a href="GUID-FB97E0A3-352A-316F-97C6-69E4741A8120.html">
TDesC8
</a>
& aSubTag
</td>
<td>
</td>
</tr>
<tr>
<td class="parameter">
<a href="GUID-62CBFC38-38A4-3834-8B96-59E616A9FF18.html">
TLogEntryType
</a>
aType
</td>
<td>
</td>
</tr>
<tr class="bg">
<td class="parameter">
<a href="GUID-5391E485-A019-358F-85D2-3B55BA439BD1.html">
TRefByValue
</a>
< const
<a href="GUID-FB97E0A3-352A-316F-97C6-69E4741A8120.html">
TDesC8
</a>
> aFmt
</td>
<td>
</td>
</tr>
<tr>
<td class="parameter">
...
</td>
<td>
</td>
</tr>
</table>
</div>
</div>
<div class="nested1" id="GUID-FA46CFC5-2C60-3287-83BD-C0DEF15F26AA">
<a name="GUID-FA46CFC5-2C60-3287-83BD-C0DEF15F26AA">
<!-- -->
</a>
<h2 class="topictitle2">
Printf(TInt, const TDesC8 &, TLogEntryType, TRefByValue< const TDesC8 >, VA_LIST &)
</h2>
<table class="signature">
<tr>
<td>
IMPORT_C void
</td>
<td>
Printf
</td>
<td>
(
</td>
<td>
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
</td>
<td>
aWorkerId,
</td>
</tr>
<tr>
<td colspan="3">
</td>
<td>
const
<a href="GUID-FB97E0A3-352A-316F-97C6-69E4741A8120.html">
TDesC8
</a>
&
</td>
<td>
aSubTag,
</td>
</tr>
<tr>
<td colspan="3">
</td>
<td>
<a href="GUID-62CBFC38-38A4-3834-8B96-59E616A9FF18.html">
TLogEntryType
</a>
</td>
<td>
aType,
</td>
</tr>
<tr>
<td colspan="3">
</td>
<td>
<a href="GUID-5391E485-A019-358F-85D2-3B55BA439BD1.html">
TRefByValue
</a>
< const
<a href="GUID-FB97E0A3-352A-316F-97C6-69E4741A8120.html">
TDesC8
</a>
>
</td>
<td>
aFmt,
</td>
</tr>
<tr>
<td colspan="3">
</td>
<td>
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
VA_LIST
</a>
&
</td>
<td>
aList
</td>
</tr>
<tr>
<td colspan="2">
</td>
<td>
)
</td>
<td colspan="2">
[static]
</td>
</tr>
</table>
<div class="section">
</div>
<div class="section parameters">
<h3 class="sectiontitle">
Parameters
</h3>
<table border="0" class="parameters">
<tr>
<td class="parameter">
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
TInt
</a>
aWorkerId
</td>
<td>
</td>
</tr>
<tr class="bg">
<td class="parameter">
const
<a href="GUID-FB97E0A3-352A-316F-97C6-69E4741A8120.html">
TDesC8
</a>
& aSubTag
</td>
<td>
</td>
</tr>
<tr>
<td class="parameter">
<a href="GUID-62CBFC38-38A4-3834-8B96-59E616A9FF18.html">
TLogEntryType
</a>
aType
</td>
<td>
</td>
</tr>
<tr class="bg">
<td class="parameter">
<a href="GUID-5391E485-A019-358F-85D2-3B55BA439BD1.html">
TRefByValue
</a>
< const
<a href="GUID-FB97E0A3-352A-316F-97C6-69E4741A8120.html">
TDesC8
</a>
> aFmt
</td>
<td>
</td>
</tr>
<tr>
<td class="parameter">
<a href="GUID-FC2F2B93-3D18-3BCC-9FD6-6BC6B240B667.html">
VA_LIST
</a>
& aList
</td>
<td>
</td>
</tr>
</table>
</div>
</div>
<h1 class="pageHeading topictitle1">
Member Enumerations Documentation
</h1>
<div class="nested1" id="GUID-979B6102-8E82-33F8-B2E5-BC7CB6E23978">
<a name="GUID-979B6102-8E82-33F8-B2E5-BC7CB6E23978">
<!-- -->
</a>
<h2 class="topictitle2">
Enum anonymous
</h2>
<div class="section">
</div>
<div class="section enumerators">
<h3 class="sectiontitle">
Enumerators
</h3>
<table border="0" class="enumerators">
<tr>
<td valign="top">
KPrimaryFilter = 194
</td>
<td>
</td>
</tr>
</table>
</div>
</div>
<div class="nested1" id="GUID-C1C0A50C-1685-3AFF-A7AC-CF213DB13476">
<a name="GUID-C1C0A50C-1685-3AFF-A7AC-CF213DB13476">
<!-- -->
</a>
<h2 class="topictitle2">
Enum TLogEntryType
</h2>
<div class="section">
</div>
<div class="section enumerators">
<h3 class="sectiontitle">
Enumerators
</h3>
<table border="0" class="enumerators">
<tr>
<td valign="top">
ELogBinary = KBinary
</td>
<td>
</td>
</tr>
<tr class="bg">
<td valign="top">
ELogInfo = KText
</td>
<td>
</td>
</tr>
<tr>
<td valign="top">
ELogBlockStart
</td>
<td>
</td>
</tr>
<tr class="bg">
<td valign="top">
ELogBlockEnd
</td>
<td>
</td>
</tr>
</table>
</div>
</div>
<p class="copyright">Copyright ©2010 Nokia Corporation and/or its subsidiary(-ies).<br /> All rights
reserved. Unless otherwise stated, these materials are provided under the terms of the <a href=" http://www.eclipse.org/legal/epl-v10.html"> Eclipse Public License
v1.0</a>.</p>
</div>
</div>
<?php include_once (CURRENT_SKIN_PATH.'/sdl_footer.html'); ?>
</body>
</html> | Java |
/**
* Copyright (c) 2015 SK holdings Co., Ltd. All rights reserved.
* This software is the confidential and proprietary information of SK holdings.
* You shall not disclose such confidential information and shall use it only in
* accordance with the terms of the license agreement you entered into with SK holdings.
* (http://www.eclipse.org/legal/epl-v10.html)
*/
package nexcore.alm.common.excel;
import nexcore.alm.common.exception.BaseException;
/**
* Excel import/export 과정에서 발생할 수 있는 예외상황
*
* @author indeday
*
*/
public class ExcelException extends BaseException {
/**
* serialVersionUID
*/
private static final long serialVersionUID = 5191191573910676820L;
/**
* @see BaseException#BaseException(String, String)
*/
public ExcelException(String message, String logType) {
super(message, logType);
}
/**
* @see BaseException#BaseException(String, Throwable, String)
*/
public ExcelException(Throwable cause, String message, String logType) {
super(message, cause, logType);
}
/**
* @see BaseException#BaseException(Throwable, String)
*/
public ExcelException(Throwable cause, String message) {
super(cause, message);
}
/**
* @see BaseException#BaseException(Throwable, boolean)
*/
public ExcelException(Throwable cause, boolean useLog) {
super(cause, useLog);
}
}
| Java |
/*******************************************************************************
* Copyright (c) 2009 Andrey Loskutov.
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
* Contributor: Andrey Loskutov - initial API and implementation
*******************************************************************************/
package de.loskutov.anyedit.actions.replace;
import java.io.BufferedReader;
import java.io.BufferedWriter;
import java.io.File;
import java.io.FileWriter;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.StringWriter;
import java.io.Writer;
import org.eclipse.core.commands.AbstractHandler;
import org.eclipse.core.commands.ExecutionEvent;
import org.eclipse.core.commands.ExecutionException;
import org.eclipse.core.filebuffers.ITextFileBuffer;
import org.eclipse.core.resources.IFile;
import org.eclipse.core.resources.IResource;
import org.eclipse.core.runtime.CoreException;
import org.eclipse.core.runtime.NullProgressMonitor;
import org.eclipse.jface.action.Action;
import org.eclipse.jface.action.IAction;
import org.eclipse.jface.text.BadLocationException;
import org.eclipse.jface.text.IDocument;
import org.eclipse.jface.text.ITextSelection;
import org.eclipse.jface.viewers.ISelection;
import org.eclipse.jface.viewers.IStructuredSelection;
import org.eclipse.ui.IEditorPart;
import org.eclipse.ui.IObjectActionDelegate;
import org.eclipse.ui.IWorkbenchPart;
import org.eclipse.ui.handlers.HandlerUtil;
import de.loskutov.anyedit.AnyEditToolsPlugin;
import de.loskutov.anyedit.IAnyEditConstants;
import de.loskutov.anyedit.compare.ContentWrapper;
import de.loskutov.anyedit.ui.editor.AbstractEditor;
import de.loskutov.anyedit.util.EclipseUtils;
/**
* @author Andrey
*/
public abstract class ReplaceWithAction extends AbstractHandler implements IObjectActionDelegate {
protected ContentWrapper selectedContent;
protected AbstractEditor editor;
public ReplaceWithAction() {
super();
editor = new AbstractEditor(null);
}
@Override
public Object execute(final ExecutionEvent event) throws ExecutionException {
IWorkbenchPart activePart = HandlerUtil.getActivePart(event);
Action dummyAction = new Action(){
@Override
public String getId() {
return event.getCommand().getId();
}
};
setActivePart(dummyAction, activePart);
ISelection currentSelection = HandlerUtil.getCurrentSelection(event);
selectionChanged(dummyAction, currentSelection);
if(dummyAction.isEnabled()) {
run(dummyAction);
}
return null;
}
@Override
public void setActivePart(IAction action, IWorkbenchPart targetPart) {
if (targetPart instanceof IEditorPart) {
editor = new AbstractEditor((IEditorPart) targetPart);
} else {
editor = new AbstractEditor(null);
}
}
@Override
public void run(IAction action) {
InputStream stream = createInputStream();
if (stream == null) {
return;
}
replace(stream);
}
private void replace(InputStream stream) {
if(selectedContent == null || !selectedContent.isModifiable()){
return;
}
IDocument document = editor.getDocument();
if (!editor.isDisposed() && document != null) {
// replace selection only
String text = getChangedCompareText(stream);
ITextSelection selection = editor.getSelection();
if (selection == null || selection.getLength() == 0) {
document.set(text);
} else {
try {
document.replace(selection.getOffset(), selection.getLength(), text);
} catch (BadLocationException e) {
AnyEditToolsPlugin.logError("Can't update text in editor", e);
}
}
return;
}
replace(selectedContent, stream);
}
private String getChangedCompareText(InputStream stream) {
StringWriter sw = new StringWriter();
copyStreamToWriter(stream, sw);
return sw.toString();
}
private void replace(ContentWrapper content, InputStream stream) {
IFile file = content.getIFile();
if (file == null || file.getLocation() == null) {
saveExternalFile(content, stream);
return;
}
try {
if (!file.exists()) {
file.create(stream, true, new NullProgressMonitor());
} else {
ITextFileBuffer buffer = EclipseUtils.getBuffer(file);
try {
if (AnyEditToolsPlugin.getDefault().getPreferenceStore().getBoolean(
IAnyEditConstants.SAVE_DIRTY_BUFFER)) {
if (buffer != null && buffer.isDirty()) {
buffer.commit(new NullProgressMonitor(), false);
}
}
if (buffer != null) {
buffer.validateState(new NullProgressMonitor(),
AnyEditToolsPlugin.getShell());
}
} finally {
EclipseUtils.disconnectBuffer(buffer);
}
file.setContents(stream, true, true, new NullProgressMonitor());
}
} catch (CoreException e) {
AnyEditToolsPlugin.errorDialog("Can't replace file content: " + file, e);
} finally {
try {
stream.close();
} catch (IOException e) {
AnyEditToolsPlugin.logError("Failed to close stream", e);
}
}
}
private void copyStreamToWriter(InputStream stream, Writer writer){
InputStreamReader in = null;
try {
in = new InputStreamReader(stream, editor.computeEncoding());
BufferedReader br = new BufferedReader(in);
int i;
while ((i = br.read()) != -1) {
writer.write(i);
}
writer.flush();
} catch (IOException e) {
AnyEditToolsPlugin.logError("Error during reading/writing streams", e);
} finally {
try {
if (writer != null) {
writer.close();
}
} catch (IOException e) {
AnyEditToolsPlugin.logError("Failed to close stream", e);
}
try {
if (in != null) {
in.close();
}
} catch (IOException e) {
AnyEditToolsPlugin.logError("Failed to close stream", e);
}
}
}
private void saveExternalFile(ContentWrapper content, InputStream stream) {
File file2 = null;
IFile iFile = content.getIFile();
if (iFile != null) {
file2 = new File(iFile.getFullPath().toOSString());
} else {
file2 = content.getFile();
}
if (!file2.exists()) {
try {
file2.createNewFile();
} catch (IOException e) {
AnyEditToolsPlugin.errorDialog("Can't create file: " + file2, e);
return;
}
}
boolean canWrite = file2.canWrite();
if (!canWrite) {
AnyEditToolsPlugin.errorDialog("File is read-only: " + file2);
return;
}
BufferedWriter bw = null;
try {
bw = new BufferedWriter(new FileWriter(file2));
copyStreamToWriter(stream, bw);
} catch (IOException e) {
AnyEditToolsPlugin.logError("Error on saving to file: " + file2, e);
return;
} finally {
try {
if(bw != null) {
bw.close();
}
} catch (IOException e) {
AnyEditToolsPlugin.logError("Error on saving to file: " + file2, e);
}
}
if (iFile != null) {
try {
iFile.refreshLocal(IResource.DEPTH_ONE, new NullProgressMonitor());
} catch (CoreException e) {
AnyEditToolsPlugin.logError("Failed to refresh file: " + iFile, e);
}
}
}
abstract protected InputStream createInputStream();
@Override
public void selectionChanged(IAction action, ISelection selection) {
if (!(selection instanceof IStructuredSelection) || selection.isEmpty()) {
if(!editor.isDisposed()){
selectedContent = ContentWrapper.create(editor);
}
action.setEnabled(selectedContent != null);
return;
}
IStructuredSelection sSelection = (IStructuredSelection) selection;
Object firstElement = sSelection.getFirstElement();
if(!editor.isDisposed()) {
selectedContent = ContentWrapper.create(editor);
} else {
selectedContent = ContentWrapper.create(firstElement);
}
action.setEnabled(selectedContent != null && sSelection.size() == 1);
}
}
| Java |
/*
* Copyright 2012 Red Hat, Inc. and/or its affiliates.
*
* Licensed under the Eclipse Public License version 1.0, available at
* http://www.eclipse.org/legal/epl-v10.html
*/
package org.jboss.aesh.complete;
import org.jboss.aesh.console.AeshContext;
import org.jboss.aesh.parser.Parser;
import org.jboss.aesh.terminal.TerminalString;
import java.util.ArrayList;
import java.util.List;
/**
* A payload object to store completion data
*
* @author Ståle W. Pedersen <stale.pedersen@jboss.org>
*/
public class CompleteOperation {
private String buffer;
private int cursor;
private int offset;
private List<TerminalString> completionCandidates;
private boolean trimmed = false;
private boolean ignoreStartsWith = false;
private String nonTrimmedBuffer;
private AeshContext aeshContext;
private char separator = ' ';
private boolean appendSeparator = true;
private boolean ignoreOffset = false;
public CompleteOperation(AeshContext aeshContext, String buffer, int cursor) {
this.aeshContext = aeshContext;
setCursor(cursor);
setSeparator(' ');
doAppendSeparator(true);
completionCandidates = new ArrayList<>();
setBuffer(buffer);
}
public String getBuffer() {
return buffer;
}
private void setBuffer(String buffer) {
if(buffer != null && buffer.startsWith(" ")) {
trimmed = true;
this.buffer = Parser.trimInFront(buffer);
nonTrimmedBuffer = buffer;
setCursor(cursor - getTrimmedSize());
}
else
this.buffer = buffer;
}
public boolean isTrimmed() {
return trimmed;
}
public int getTrimmedSize() {
return nonTrimmedBuffer.length() - buffer.length();
}
public String getNonTrimmedBuffer() {
return nonTrimmedBuffer;
}
public int getCursor() {
return cursor;
}
private void setCursor(int cursor) {
if(cursor < 0)
this.cursor = 0;
else
this.cursor = cursor;
}
public int getOffset() {
return offset;
}
public void setOffset(int offset) {
this.offset = offset;
}
public void setIgnoreOffset(boolean ignoreOffset) {
this.ignoreOffset = ignoreOffset;
}
public boolean doIgnoreOffset() {
return ignoreOffset;
}
public AeshContext getAeshContext() {
return aeshContext;
}
/**
* Get the separator character, by default its space
*
* @return separator
*/
public char getSeparator() {
return separator;
}
/**
* By default the separator is one space char, but
* it can be overridden here.
*
* @param separator separator
*/
public void setSeparator(char separator) {
this.separator = separator;
}
/**
* Do this completion allow for appending a separator
* after completion? By default this is true.
*
* @return appendSeparator
*/
public boolean hasAppendSeparator() {
return appendSeparator;
}
/**
* Set if this CompletionOperation would allow an separator to
* be appended. By default this is true.
*
* @param appendSeparator appendSeparator
*/
public void doAppendSeparator(boolean appendSeparator) {
this.appendSeparator = appendSeparator;
}
public List<TerminalString> getCompletionCandidates() {
return completionCandidates;
}
public void setCompletionCandidates(List<String> completionCandidates) {
addCompletionCandidates(completionCandidates);
}
public void setCompletionCandidatesTerminalString(List<TerminalString> completionCandidates) {
this.completionCandidates = completionCandidates;
}
public void addCompletionCandidate(TerminalString completionCandidate) {
this.completionCandidates.add(completionCandidate);
}
public void addCompletionCandidate(String completionCandidate) {
addStringCandidate(completionCandidate);
}
public void addCompletionCandidates(List<String> completionCandidates) {
addStringCandidates(completionCandidates);
}
public void addCompletionCandidatesTerminalString(List<TerminalString> completionCandidates) {
this.completionCandidates.addAll(completionCandidates);
}
public void removeEscapedSpacesFromCompletionCandidates() {
Parser.switchEscapedSpacesToSpacesInTerminalStringList(getCompletionCandidates());
}
private void addStringCandidate(String completionCandidate) {
this.completionCandidates.add(new TerminalString(completionCandidate, true));
}
private void addStringCandidates(List<String> completionCandidates) {
for(String s : completionCandidates)
addStringCandidate(s);
}
public List<String> getFormattedCompletionCandidates() {
List<String> fixedCandidates = new ArrayList<String>(completionCandidates.size());
for(TerminalString c : completionCandidates) {
if(!ignoreOffset && offset < cursor) {
int pos = cursor - offset;
if(c.getCharacters().length() >= pos)
fixedCandidates.add(c.getCharacters().substring(pos));
else
fixedCandidates.add("");
}
else {
fixedCandidates.add(c.getCharacters());
}
}
return fixedCandidates;
}
public List<TerminalString> getFormattedCompletionCandidatesTerminalString() {
List<TerminalString> fixedCandidates = new ArrayList<TerminalString>(completionCandidates.size());
for(TerminalString c : completionCandidates) {
if(!ignoreOffset && offset < cursor) {
int pos = cursor - offset;
if(c.getCharacters().length() >= pos) {
TerminalString ts = c;
ts.setCharacters(c.getCharacters().substring(pos));
fixedCandidates.add(ts);
}
else
fixedCandidates.add(new TerminalString("", true));
}
else {
fixedCandidates.add(c);
}
}
return fixedCandidates;
}
public String getFormattedCompletion(String completion) {
if(offset < cursor) {
int pos = cursor - offset;
if(completion.length() > pos)
return completion.substring(pos);
else
return "";
}
else
return completion;
}
public boolean isIgnoreStartsWith() {
return ignoreStartsWith;
}
public void setIgnoreStartsWith(boolean ignoreStartsWith) {
this.ignoreStartsWith = ignoreStartsWith;
}
@Override
public String toString() {
StringBuilder sb = new StringBuilder();
sb.append("Buffer: ").append(buffer)
.append(", Cursor:").append(cursor)
.append(", Offset:").append(offset)
.append(", IgnoreOffset:").append(ignoreOffset)
.append(", Append separator: ").append(appendSeparator)
.append(", Candidates:").append(completionCandidates);
return sb.toString();
}
}
| Java |
package dao.inf;
// Generated 27/11/2014 02:39:51 AM by Hibernate Tools 3.4.0.CR1
import java.util.List;
import javax.naming.InitialContext;
import model.Query;
import model.QueryId;
import org.apache.commons.logging.Log;
import org.apache.commons.logging.LogFactory;
import org.hibernate.LockMode;
import org.hibernate.SessionFactory;
import org.hibernate.criterion.Example;
/**
* Home object for domain model class Query.
* @see .Query
* @author Hibernate Tools
*/
public interface QueryDAO {
public boolean save(Query query);
public Integer lastId();
}
| Java |
/**
* <copyright>
* </copyright>
*
* $Id$
*/
package klaper.expr.util;
import java.util.List;
import klaper.expr.Atom;
import klaper.expr.Binary;
import klaper.expr.Div;
import klaper.expr.Exp;
import klaper.expr.ExprPackage;
import klaper.expr.Expression;
import klaper.expr.Minus;
import klaper.expr.Mult;
import klaper.expr.Operator;
import klaper.expr.Plus;
import klaper.expr.Unary;
import klaper.expr.Variable;
import org.eclipse.emf.ecore.EClass;
import org.eclipse.emf.ecore.EObject;
/**
* <!-- begin-user-doc -->
* The <b>Switch</b> for the model's inheritance hierarchy.
* It supports the call {@link #doSwitch(EObject) doSwitch(object)}
* to invoke the <code>caseXXX</code> method for each class of the model,
* starting with the actual class of the object
* and proceeding up the inheritance hierarchy
* until a non-null result is returned,
* which is the result of the switch.
* <!-- end-user-doc -->
* @see klaper.expr.ExprPackage
* @generated
*/
public class ExprSwitch<T> {
/**
* The cached model package
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
protected static ExprPackage modelPackage;
/**
* Creates an instance of the switch.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @generated
*/
public ExprSwitch() {
if (modelPackage == null) {
modelPackage = ExprPackage.eINSTANCE;
}
}
/**
* Calls <code>caseXXX</code> for each class of the model until one returns a non null result; it yields that result.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the first non-null result returned by a <code>caseXXX</code> call.
* @generated
*/
public T doSwitch(EObject theEObject) {
return doSwitch(theEObject.eClass(), theEObject);
}
/**
* Calls <code>caseXXX</code> for each class of the model until one returns a non null result; it yields that result.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the first non-null result returned by a <code>caseXXX</code> call.
* @generated
*/
protected T doSwitch(EClass theEClass, EObject theEObject) {
if (theEClass.eContainer() == modelPackage) {
return doSwitch(theEClass.getClassifierID(), theEObject);
}
else {
List<EClass> eSuperTypes = theEClass.getESuperTypes();
return
eSuperTypes.isEmpty() ?
defaultCase(theEObject) :
doSwitch(eSuperTypes.get(0), theEObject);
}
}
/**
* Calls <code>caseXXX</code> for each class of the model until one returns a non null result; it yields that result.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the first non-null result returned by a <code>caseXXX</code> call.
* @generated
*/
protected T doSwitch(int classifierID, EObject theEObject) {
switch (classifierID) {
case ExprPackage.EXPRESSION: {
Expression expression = (Expression)theEObject;
T result = caseExpression(expression);
if (result == null) result = defaultCase(theEObject);
return result;
}
case ExprPackage.ATOM: {
Atom atom = (Atom)theEObject;
T result = caseAtom(atom);
if (result == null) result = caseExpression(atom);
if (result == null) result = defaultCase(theEObject);
return result;
}
case ExprPackage.NUMBER: {
klaper.expr.Number number = (klaper.expr.Number)theEObject;
T result = caseNumber(number);
if (result == null) result = caseAtom(number);
if (result == null) result = caseExpression(number);
if (result == null) result = defaultCase(theEObject);
return result;
}
case ExprPackage.VARIABLE: {
Variable variable = (Variable)theEObject;
T result = caseVariable(variable);
if (result == null) result = caseAtom(variable);
if (result == null) result = caseExpression(variable);
if (result == null) result = defaultCase(theEObject);
return result;
}
case ExprPackage.INTEGER: {
klaper.expr.Integer integer = (klaper.expr.Integer)theEObject;
T result = caseInteger(integer);
if (result == null) result = caseNumber(integer);
if (result == null) result = caseAtom(integer);
if (result == null) result = caseExpression(integer);
if (result == null) result = defaultCase(theEObject);
return result;
}
case ExprPackage.DOUBLE: {
klaper.expr.Double double_ = (klaper.expr.Double)theEObject;
T result = caseDouble(double_);
if (result == null) result = caseNumber(double_);
if (result == null) result = caseAtom(double_);
if (result == null) result = caseExpression(double_);
if (result == null) result = defaultCase(theEObject);
return result;
}
case ExprPackage.UNARY: {
Unary unary = (Unary)theEObject;
T result = caseUnary(unary);
if (result == null) result = caseExpression(unary);
if (result == null) result = defaultCase(theEObject);
return result;
}
case ExprPackage.BINARY: {
Binary binary = (Binary)theEObject;
T result = caseBinary(binary);
if (result == null) result = caseExpression(binary);
if (result == null) result = defaultCase(theEObject);
return result;
}
case ExprPackage.OPERATOR: {
Operator operator = (Operator)theEObject;
T result = caseOperator(operator);
if (result == null) result = defaultCase(theEObject);
return result;
}
case ExprPackage.PLUS: {
Plus plus = (Plus)theEObject;
T result = casePlus(plus);
if (result == null) result = caseOperator(plus);
if (result == null) result = defaultCase(theEObject);
return result;
}
case ExprPackage.MINUS: {
Minus minus = (Minus)theEObject;
T result = caseMinus(minus);
if (result == null) result = caseOperator(minus);
if (result == null) result = defaultCase(theEObject);
return result;
}
case ExprPackage.MULT: {
Mult mult = (Mult)theEObject;
T result = caseMult(mult);
if (result == null) result = caseOperator(mult);
if (result == null) result = defaultCase(theEObject);
return result;
}
case ExprPackage.DIV: {
Div div = (Div)theEObject;
T result = caseDiv(div);
if (result == null) result = caseOperator(div);
if (result == null) result = defaultCase(theEObject);
return result;
}
case ExprPackage.EXP: {
Exp exp = (Exp)theEObject;
T result = caseExp(exp);
if (result == null) result = caseOperator(exp);
if (result == null) result = defaultCase(theEObject);
return result;
}
default: return defaultCase(theEObject);
}
}
/**
* Returns the result of interpreting the object as an instance of '<em>Expression</em>'.
* <!-- begin-user-doc -->
* This implementation returns null;
* returning a non-null result will terminate the switch.
* <!-- end-user-doc -->
* @param object the target of the switch.
* @return the result of interpreting the object as an instance of '<em>Expression</em>'.
* @see #doSwitch(org.eclipse.emf.ecore.EObject) doSwitch(EObject)
* @generated
*/
public T caseExpression(Expression object) {
return null;
}
/**
* Returns the result of interpreting the object as an instance of '<em>Atom</em>'.
* <!-- begin-user-doc -->
* This implementation returns null;
* returning a non-null result will terminate the switch.
* <!-- end-user-doc -->
* @param object the target of the switch.
* @return the result of interpreting the object as an instance of '<em>Atom</em>'.
* @see #doSwitch(org.eclipse.emf.ecore.EObject) doSwitch(EObject)
* @generated
*/
public T caseAtom(Atom object) {
return null;
}
/**
* Returns the result of interpreting the object as an instance of '<em>Number</em>'.
* <!-- begin-user-doc -->
* This implementation returns null;
* returning a non-null result will terminate the switch.
* <!-- end-user-doc -->
* @param object the target of the switch.
* @return the result of interpreting the object as an instance of '<em>Number</em>'.
* @see #doSwitch(org.eclipse.emf.ecore.EObject) doSwitch(EObject)
* @generated
*/
public T caseNumber(klaper.expr.Number object) {
return null;
}
/**
* Returns the result of interpreting the object as an instance of '<em>Variable</em>'.
* <!-- begin-user-doc -->
* This implementation returns null;
* returning a non-null result will terminate the switch.
* <!-- end-user-doc -->
* @param object the target of the switch.
* @return the result of interpreting the object as an instance of '<em>Variable</em>'.
* @see #doSwitch(org.eclipse.emf.ecore.EObject) doSwitch(EObject)
* @generated
*/
public T caseVariable(Variable object) {
return null;
}
/**
* Returns the result of interpreting the object as an instance of '<em>Integer</em>'.
* <!-- begin-user-doc -->
* This implementation returns null;
* returning a non-null result will terminate the switch.
* <!-- end-user-doc -->
* @param object the target of the switch.
* @return the result of interpreting the object as an instance of '<em>Integer</em>'.
* @see #doSwitch(org.eclipse.emf.ecore.EObject) doSwitch(EObject)
* @generated
*/
public T caseInteger(klaper.expr.Integer object) {
return null;
}
/**
* Returns the result of interpreting the object as an instance of '<em>Double</em>'.
* <!-- begin-user-doc -->
* This implementation returns null;
* returning a non-null result will terminate the switch.
* <!-- end-user-doc -->
* @param object the target of the switch.
* @return the result of interpreting the object as an instance of '<em>Double</em>'.
* @see #doSwitch(org.eclipse.emf.ecore.EObject) doSwitch(EObject)
* @generated
*/
public T caseDouble(klaper.expr.Double object) {
return null;
}
/**
* Returns the result of interpreting the object as an instance of '<em>Unary</em>'.
* <!-- begin-user-doc -->
* This implementation returns null;
* returning a non-null result will terminate the switch.
* <!-- end-user-doc -->
* @param object the target of the switch.
* @return the result of interpreting the object as an instance of '<em>Unary</em>'.
* @see #doSwitch(org.eclipse.emf.ecore.EObject) doSwitch(EObject)
* @generated
*/
public T caseUnary(Unary object) {
return null;
}
/**
* Returns the result of interpreting the object as an instance of '<em>Binary</em>'.
* <!-- begin-user-doc -->
* This implementation returns null;
* returning a non-null result will terminate the switch.
* <!-- end-user-doc -->
* @param object the target of the switch.
* @return the result of interpreting the object as an instance of '<em>Binary</em>'.
* @see #doSwitch(org.eclipse.emf.ecore.EObject) doSwitch(EObject)
* @generated
*/
public T caseBinary(Binary object) {
return null;
}
/**
* Returns the result of interpreting the object as an instance of '<em>Operator</em>'.
* <!-- begin-user-doc -->
* This implementation returns null;
* returning a non-null result will terminate the switch.
* <!-- end-user-doc -->
* @param object the target of the switch.
* @return the result of interpreting the object as an instance of '<em>Operator</em>'.
* @see #doSwitch(org.eclipse.emf.ecore.EObject) doSwitch(EObject)
* @generated
*/
public T caseOperator(Operator object) {
return null;
}
/**
* Returns the result of interpreting the object as an instance of '<em>Plus</em>'.
* <!-- begin-user-doc -->
* This implementation returns null;
* returning a non-null result will terminate the switch.
* <!-- end-user-doc -->
* @param object the target of the switch.
* @return the result of interpreting the object as an instance of '<em>Plus</em>'.
* @see #doSwitch(org.eclipse.emf.ecore.EObject) doSwitch(EObject)
* @generated
*/
public T casePlus(Plus object) {
return null;
}
/**
* Returns the result of interpreting the object as an instance of '<em>Minus</em>'.
* <!-- begin-user-doc -->
* This implementation returns null;
* returning a non-null result will terminate the switch.
* <!-- end-user-doc -->
* @param object the target of the switch.
* @return the result of interpreting the object as an instance of '<em>Minus</em>'.
* @see #doSwitch(org.eclipse.emf.ecore.EObject) doSwitch(EObject)
* @generated
*/
public T caseMinus(Minus object) {
return null;
}
/**
* Returns the result of interpreting the object as an instance of '<em>Mult</em>'.
* <!-- begin-user-doc -->
* This implementation returns null;
* returning a non-null result will terminate the switch.
* <!-- end-user-doc -->
* @param object the target of the switch.
* @return the result of interpreting the object as an instance of '<em>Mult</em>'.
* @see #doSwitch(org.eclipse.emf.ecore.EObject) doSwitch(EObject)
* @generated
*/
public T caseMult(Mult object) {
return null;
}
/**
* Returns the result of interpreting the object as an instance of '<em>Div</em>'.
* <!-- begin-user-doc -->
* This implementation returns null;
* returning a non-null result will terminate the switch.
* <!-- end-user-doc -->
* @param object the target of the switch.
* @return the result of interpreting the object as an instance of '<em>Div</em>'.
* @see #doSwitch(org.eclipse.emf.ecore.EObject) doSwitch(EObject)
* @generated
*/
public T caseDiv(Div object) {
return null;
}
/**
* Returns the result of interpreting the object as an instance of '<em>Exp</em>'.
* <!-- begin-user-doc -->
* This implementation returns null;
* returning a non-null result will terminate the switch.
* <!-- end-user-doc -->
* @param object the target of the switch.
* @return the result of interpreting the object as an instance of '<em>Exp</em>'.
* @see #doSwitch(org.eclipse.emf.ecore.EObject) doSwitch(EObject)
* @generated
*/
public T caseExp(Exp object) {
return null;
}
/**
* Returns the result of interpreting the object as an instance of '<em>EObject</em>'.
* <!-- begin-user-doc -->
* This implementation returns null;
* returning a non-null result will terminate the switch, but this is the last case anyway.
* <!-- end-user-doc -->
* @param object the target of the switch.
* @return the result of interpreting the object as an instance of '<em>EObject</em>'.
* @see #doSwitch(org.eclipse.emf.ecore.EObject)
* @generated
*/
public T defaultCase(EObject object) {
return null;
}
} //ExprSwitch
| Java |
package critterbot.actions;
public class XYThetaAction extends CritterbotAction {
private static final long serialVersionUID = -1434106060178637255L;
private static final int ActionValue = 30;
public static final CritterbotAction NoMove = new XYThetaAction(0, 0, 0);
public static final CritterbotAction TurnLeft = new XYThetaAction(ActionValue, ActionValue, ActionValue);
public static final CritterbotAction TurnRight = new XYThetaAction(ActionValue, ActionValue, -ActionValue);
public static final CritterbotAction Forward = new XYThetaAction(ActionValue, 0, 0);
public static final CritterbotAction Backward = new XYThetaAction(-ActionValue, 0, 0);
public static final CritterbotAction Left = new XYThetaAction(0, -ActionValue, 0);
public static final CritterbotAction Right = new XYThetaAction(0, ActionValue, 0);
public XYThetaAction(double x, double y, double theta) {
super(MotorMode.XYTHETA_SPACE, x, y, theta);
}
public XYThetaAction(double[] actions) {
super(MotorMode.XYTHETA_SPACE, actions);
}
static public CritterbotAction[] sevenActions() {
return new CritterbotAction[] { NoMove, TurnLeft, TurnRight, Forward, Backward, Left, Right };
}
} | Java |
package mx.com.cinepolis.digital.booking.persistence.dao.impl;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
import javax.ejb.EJB;
import javax.ejb.Stateless;
import javax.interceptor.Interceptors;
import javax.persistence.EntityManager;
import javax.persistence.PersistenceContext;
import javax.persistence.Query;
import javax.persistence.TypedQuery;
import javax.persistence.criteria.CriteriaBuilder;
import javax.persistence.criteria.CriteriaQuery;
import javax.persistence.criteria.Join;
import javax.persistence.criteria.Order;
import javax.persistence.criteria.Path;
import javax.persistence.criteria.Predicate;
import javax.persistence.criteria.Root;
import mx.com.cinepolis.digital.booking.commons.query.ModelQuery;
import mx.com.cinepolis.digital.booking.commons.query.ScreenQuery;
import mx.com.cinepolis.digital.booking.commons.query.SortOrder;
import mx.com.cinepolis.digital.booking.commons.to.CatalogTO;
import mx.com.cinepolis.digital.booking.commons.to.PagingRequestTO;
import mx.com.cinepolis.digital.booking.commons.to.PagingResponseTO;
import mx.com.cinepolis.digital.booking.commons.to.ScreenTO;
import mx.com.cinepolis.digital.booking.dao.util.CriteriaQueryBuilder;
import mx.com.cinepolis.digital.booking.dao.util.ExceptionHandlerDAOInterceptor;
import mx.com.cinepolis.digital.booking.dao.util.ScreenDOToScreenTOTransformer;
import mx.com.cinepolis.digital.booking.model.CategoryDO;
import mx.com.cinepolis.digital.booking.model.ScreenDO;
import mx.com.cinepolis.digital.booking.model.TheaterDO;
import mx.com.cinepolis.digital.booking.model.utils.AbstractEntityUtils;
import mx.com.cinepolis.digital.booking.persistence.base.dao.AbstractBaseDAO;
import mx.com.cinepolis.digital.booking.persistence.dao.CategoryDAO;
import mx.com.cinepolis.digital.booking.persistence.dao.ScreenDAO;
import org.apache.commons.collections.CollectionUtils;
/**
* Implementation of the interface {@link mx.com.cinepolis.digital.booking.persistence.dao.ScreenDAO}
*
* @author agustin.ramirez
* @since 0.0.1
*/
@Stateless
@Interceptors({ ExceptionHandlerDAOInterceptor.class })
public class ScreenDAOImpl extends AbstractBaseDAO<ScreenDO> implements ScreenDAO
{
/**
* Entity Manager
*/
@PersistenceContext(unitName = "DigitalBookingPU")
private EntityManager em;
@EJB
private CategoryDAO categoryDAO;
/**
* {@inheritDoc}
*/
@Override
protected EntityManager getEntityManager()
{
return em;
}
/**
* Constructor Default
*/
public ScreenDAOImpl()
{
super( ScreenDO.class );
}
/*
* (non-Javadoc)
* @see mx.com.cinepolis.digital.booking.persistence.dao.ScreenDAO#save(mx.com
* .cinepolis.digital.booking.model.to.ScreenTO)
*/
@Override
public void save( ScreenTO screenTO )
{
ScreenDO entity = new ScreenDO();
AbstractEntityUtils.applyElectronicSign( entity, screenTO );
entity.setIdTheater( new TheaterDO( screenTO.getIdTheater() ) );
entity.setIdVista( screenTO.getIdVista() );
entity.setNuCapacity( screenTO.getNuCapacity() );
entity.setNuScreen( screenTO.getNuScreen() );
entity.setCategoryDOList( new ArrayList<CategoryDO>() );
for( CatalogTO catalogTO : screenTO.getSoundFormats() )
{
CategoryDO categorySound = categoryDAO.find( catalogTO.getId().intValue() );
categorySound.getScreenDOList().add( entity );
entity.getCategoryDOList().add( categorySound );
}
for( CatalogTO catalogTO : screenTO.getMovieFormats() )
{
CategoryDO categoryMovieFormat = categoryDAO.find( catalogTO.getId().intValue() );
categoryMovieFormat.getScreenDOList().add( entity );
entity.getCategoryDOList().add( categoryMovieFormat );
}
if( screenTO.getScreenFormat() != null )
{
CategoryDO categoryMovieFormat = categoryDAO.find( screenTO.getScreenFormat().getId().intValue() );
categoryMovieFormat.getScreenDOList().add( entity );
entity.getCategoryDOList().add( categoryMovieFormat );
}
this.create( entity );
this.flush();
screenTO.setId( entity.getIdScreen().longValue() );
}
/*
* (non-Javadoc)
* @see mx.com.cinepolis.digital.booking.persistence.dao.ScreenDAO#update(mx.
* com.cinepolis.digital.booking.model.to.ScreenTO)
*/
@Override
public void update( ScreenTO screenTO )
{
ScreenDO entity = this.find( screenTO.getId().intValue() );
if( entity != null )
{
AbstractEntityUtils.applyElectronicSign( entity, screenTO );
entity.setNuCapacity( screenTO.getNuCapacity() );
entity.setNuScreen( screenTO.getNuScreen() );
entity.setIdVista( screenTO.getIdVista() );
updateCategories( screenTO, entity );
this.edit( entity );
}
}
private void updateCategories( ScreenTO screenTO, ScreenDO entity )
{
List<CatalogTO> categories = new ArrayList<CatalogTO>();
// Limpieza de categorías
for( CategoryDO categoryDO : entity.getCategoryDOList() )
{
categoryDO.getScreenDOList().remove( entity );
this.categoryDAO.edit( categoryDO );
}
entity.setCategoryDOList( new ArrayList<CategoryDO>() );
for( CatalogTO to : screenTO.getMovieFormats() )
{
categories.add( to );
}
for( CatalogTO to : screenTO.getSoundFormats() )
{
categories.add( to );
}
if( screenTO.getScreenFormat() != null )
{
categories.add( screenTO.getScreenFormat() );
}
for( CatalogTO catalogTO : categories )
{
CategoryDO category = this.categoryDAO.find( catalogTO.getId().intValue() );
category.getScreenDOList().add( entity );
entity.getCategoryDOList().add( category );
}
}
/*
* (non-Javadoc)
* @see mx.com.cinepolis.digital.booking.persistence.base.dao.AbstractBaseDAO #remove(java.lang.Object)
*/
@Override
public void remove( ScreenDO screenDO )
{
ScreenDO remove = super.find( screenDO.getIdScreen() );
if( remove != null )
{
AbstractEntityUtils.copyElectronicSign( remove, screenDO );
remove.setFgActive( false );
super.edit( remove );
}
}
/*
* (non-Javadoc)
* @see mx.com.cinepolis.digital.booking.persistence.dao.ScreenDAO#delete(mx.
* com.cinepolis.digital.booking.model.to.ScreenTO)
*/
@Override
public void delete( ScreenTO screenTO )
{
ScreenDO screenDO = new ScreenDO( screenTO.getId().intValue() );
AbstractEntityUtils.applyElectronicSign( screenDO, screenTO );
this.remove( screenDO );
}
/*
* (non-Javadoc)
* @see mx.com.cinepolis.digital.booking.persistence.dao.ScreenDAO#findAllByPaging
* (mx.com.cinepolis.digital.booking.model.to.PagingRequestTO)
*/
@SuppressWarnings("unchecked")
@Override
public PagingResponseTO<ScreenTO> findAllByPaging( PagingRequestTO pagingRequestTO )
{
List<ModelQuery> sortFields = pagingRequestTO.getSort();
SortOrder sortOrder = pagingRequestTO.getSortOrder();
Map<ModelQuery, Object> filters = getFilters( pagingRequestTO );
CriteriaBuilder cb = em.getCriteriaBuilder();
CriteriaQuery<ScreenDO> q = cb.createQuery( ScreenDO.class );
Root<ScreenDO> screenDO = q.from( ScreenDO.class );
Join<ScreenDO, TheaterDO> theatherDO = screenDO.join( "idTheater" );
q.select( screenDO );
applySorting( sortFields, sortOrder, cb, q, screenDO, theatherDO );
Predicate filterCondition = applyFilters( filters, cb, screenDO, theatherDO );
CriteriaQuery<Long> queryCountRecords = cb.createQuery( Long.class );
queryCountRecords.select( cb.count( screenDO ) );
if( filterCondition != null )
{
q.where( filterCondition );
queryCountRecords.where( filterCondition );
}
// pagination
TypedQuery<ScreenDO> tq = em.createQuery( q );
int count = em.createQuery( queryCountRecords ).getSingleResult().intValue();
if( pagingRequestTO.getNeedsPaging() )
{
int page = pagingRequestTO.getPage();
int pageSize = pagingRequestTO.getPageSize();
if( pageSize > 0 )
{
tq.setMaxResults( pageSize );
}
if( page >= 0 )
{
tq.setFirstResult( page * pageSize );
}
}
PagingResponseTO<ScreenTO> response = new PagingResponseTO<ScreenTO>();
response.setElements( (List<ScreenTO>) CollectionUtils.collect( tq.getResultList(),
new ScreenDOToScreenTOTransformer( pagingRequestTO.getLanguage() ) ) );
response.setTotalCount( count );
return response;
}
/**
* Aplicamos los filtros
*
* @param filters
* @param cb
* @param screenDO
* @param theaterDO
* @param categoryLanguage
* @return
*/
private Predicate applyFilters( Map<ModelQuery, Object> filters, CriteriaBuilder cb, Root<ScreenDO> screenDO,
Join<ScreenDO, TheaterDO> theaterDO )
{
Predicate filterCondition = null;
if( filters != null && !filters.isEmpty() )
{
filterCondition = cb.conjunction();
filterCondition = CriteriaQueryBuilder.<Integer> applyFilterRootEqual( filters, ScreenQuery.SCREEN_ID, screenDO,
cb, filterCondition );
filterCondition = CriteriaQueryBuilder.<Integer> applyFilterRootEqual( filters, ScreenQuery.SCREEN_NUMBER,
screenDO, cb, filterCondition );
filterCondition = CriteriaQueryBuilder.<Integer> applyFilterRootEqual( filters, ScreenQuery.SCREEN_CAPACITY,
screenDO, cb, filterCondition );
filterCondition = CriteriaQueryBuilder.<Integer> applyFilterJoinEqual( filters, ScreenQuery.SCREEN_THEATER_ID,
theaterDO, cb, filterCondition );
}
return filterCondition;
}
/**
* Metodo que aplica el campo por le cual se ordenaran
*
* @param sortField
* @param sortOrder
* @param cb
* @param q
* @param screenDO
* @param theather
*/
private void applySorting( List<ModelQuery> sortFields, SortOrder sortOrder, CriteriaBuilder cb,
CriteriaQuery<ScreenDO> q, Root<ScreenDO> screenDO, Join<ScreenDO, TheaterDO> theather )
{
if( sortOrder != null && CollectionUtils.isNotEmpty( sortFields ) )
{
List<Order> order = new ArrayList<Order>();
for( ModelQuery sortField : sortFields )
{
if( sortField instanceof ScreenQuery )
{
Path<?> path = null;
switch( (ScreenQuery) sortField )
{
case SCREEN_ID:
path = screenDO.get( sortField.getQuery() );
break;
case SCREEN_NUMBER:
path = screenDO.get( sortField.getQuery() );
break;
case SCREEN_CAPACITY:
path = screenDO.get( sortField.getQuery() );
break;
case SCREEN_THEATER_ID:
path = theather.get( sortField.getQuery() );
break;
default:
path = screenDO.get( ScreenQuery.SCREEN_ID.getQuery() );
}
if( sortOrder.equals( SortOrder.ASCENDING ) )
{
order.add( cb.asc( path ) );
}
else
{
order.add( cb.desc( path ) );
}
}
}
q.orderBy( order );
}
}
/**
* Obtiene los filtros y añade el lenguaje
*
* @param pagingRequestTO
* @return
*/
private Map<ModelQuery, Object> getFilters( PagingRequestTO pagingRequestTO )
{
Map<ModelQuery, Object> filters = pagingRequestTO.getFilters();
if( filters == null )
{
filters = new HashMap<ModelQuery, Object>();
}
return filters;
}
@SuppressWarnings("unchecked")
@Override
public List<ScreenDO> findAllActiveByIdCinema( Integer idTheater )
{
Query q = this.em.createNamedQuery( "ScreenDO.findAllActiveByIdCinema" );
q.setParameter( "idTheater", idTheater );
return q.getResultList();
}
@SuppressWarnings("unchecked")
@Override
public List<ScreenDO> findByIdVistaAndActive( String idVista )
{
Query q = this.em.createNamedQuery( "ScreenDO.findByIdVistaAndActive" );
q.setParameter( "idVista", idVista );
return q.getResultList();
}
}
| Java |
// Compiled by ClojureScript 1.9.946 {}
goog.provide('eckersdorf.window.db');
goog.require('cljs.core');
goog.require('re_frame.core');
eckersdorf.window.db.window_state = new cljs.core.PersistentArrayMap(null, 2, [new cljs.core.Keyword("window","height","window/height",1310154766),(0),new cljs.core.Keyword("window","width","window/width",-1138776901),(0)], null);
//# sourceMappingURL=db.js.map?rel=1510703504091
| Java |
/**
*/
package TaxationWithRoot;
import org.eclipse.emf.common.util.EList;
import org.eclipse.emf.ecore.EObject;
/**
* <!-- begin-user-doc -->
* A representation of the model object '<em><b>Tax Card</b></em>'.
* <!-- end-user-doc -->
*
* <p>
* The following features are supported:
* </p>
* <ul>
* <li>{@link TaxationWithRoot.Tax_Card#getCard_identifier <em>Card identifier</em>}</li>
* <li>{@link TaxationWithRoot.Tax_Card#getTax_office <em>Tax office</em>}</li>
* <li>{@link TaxationWithRoot.Tax_Card#getPercentage_of_witholding <em>Percentage of witholding</em>}</li>
* <li>{@link TaxationWithRoot.Tax_Card#getTax_payers_name_surname <em>Tax payers name surname</em>}</li>
* <li>{@link TaxationWithRoot.Tax_Card#getTax_payers_partner_name_surname <em>Tax payers partner name surname</em>}</li>
* <li>{@link TaxationWithRoot.Tax_Card#getTax_payers_address <em>Tax payers address</em>}</li>
* <li>{@link TaxationWithRoot.Tax_Card#getJobs_Employer_SSNo <em>Jobs Employer SS No</em>}</li>
* <li>{@link TaxationWithRoot.Tax_Card#getJobs_employers_name <em>Jobs employers name</em>}</li>
* <li>{@link TaxationWithRoot.Tax_Card#getJobs_activity_type <em>Jobs activity type</em>}</li>
* <li>{@link TaxationWithRoot.Tax_Card#getJobs_place_of_work <em>Jobs place of work</em>}</li>
* <li>{@link TaxationWithRoot.Tax_Card#getDeduction_FD_daily <em>Deduction FD daily</em>}</li>
* <li>{@link TaxationWithRoot.Tax_Card#getDeduction_FD_monthly <em>Deduction FD monthly</em>}</li>
* <li>{@link TaxationWithRoot.Tax_Card#getDeduction_AC_daily <em>Deduction AC daily</em>}</li>
* <li>{@link TaxationWithRoot.Tax_Card#getDeduction_AC_monthly <em>Deduction AC monthly</em>}</li>
* <li>{@link TaxationWithRoot.Tax_Card#getDeduction_AC_yearly <em>Deduction AC yearly</em>}</li>
* <li>{@link TaxationWithRoot.Tax_Card#getDeduction_CE_daily <em>Deduction CE daily</em>}</li>
* <li>{@link TaxationWithRoot.Tax_Card#getDeduction_CE_monthly <em>Deduction CE monthly</em>}</li>
* <li>{@link TaxationWithRoot.Tax_Card#getDeduction_CE_yearly <em>Deduction CE yearly</em>}</li>
* <li>{@link TaxationWithRoot.Tax_Card#getDeduction_DS_daily <em>Deduction DS daily</em>}</li>
* <li>{@link TaxationWithRoot.Tax_Card#getDeduction_DS_monthly <em>Deduction DS monthly</em>}</li>
* <li>{@link TaxationWithRoot.Tax_Card#getDeduction_FO_daily <em>Deduction FO daily</em>}</li>
* <li>{@link TaxationWithRoot.Tax_Card#getDeduction_FO_monthly <em>Deduction FO monthly</em>}</li>
* <li>{@link TaxationWithRoot.Tax_Card#getDeduction_FO_yearly <em>Deduction FO yearly</em>}</li>
* <li>{@link TaxationWithRoot.Tax_Card#getCredit_CIS_daily <em>Credit CIS daily</em>}</li>
* <li>{@link TaxationWithRoot.Tax_Card#getCredit_CIS_monthly <em>Credit CIS monthly</em>}</li>
* <li>{@link TaxationWithRoot.Tax_Card#getCredit_CIM_daily <em>Credit CIM daily</em>}</li>
* <li>{@link TaxationWithRoot.Tax_Card#isValidity <em>Validity</em>}</li>
* <li>{@link TaxationWithRoot.Tax_Card#getIncome_Tax_Credit <em>Income Tax Credit</em>}</li>
* <li>{@link TaxationWithRoot.Tax_Card#getPrevious <em>Previous</em>}</li>
* <li>{@link TaxationWithRoot.Tax_Card#getCurrent_tax_card <em>Current tax card</em>}</li>
* <li>{@link TaxationWithRoot.Tax_Card#getCredit_CIM_yearly <em>Credit CIM yearly</em>}</li>
* <li>{@link TaxationWithRoot.Tax_Card#getDeduction_DS_Alimony_yearly <em>Deduction DS Alimony yearly</em>}</li>
* <li>{@link TaxationWithRoot.Tax_Card#getDeduction_DS_Debt_yearly <em>Deduction DS Debt yearly</em>}</li>
* <li>{@link TaxationWithRoot.Tax_Card#getIncome <em>Income</em>}</li>
* </ul>
*
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card()
* @model
* @generated
*/
public interface Tax_Card extends EObject {
/**
* Returns the value of the '<em><b>Card identifier</b></em>' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Card identifier</em>' attribute.
* @see #setCard_identifier(String)
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Card_identifier()
* @model id="true"
* @generated
*/
String getCard_identifier();
/**
* Sets the value of the '{@link TaxationWithRoot.Tax_Card#getCard_identifier <em>Card identifier</em>}' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @param value the new value of the '<em>Card identifier</em>' attribute.
* @see #getCard_identifier()
* @generated
*/
void setCard_identifier(String value);
/**
* Returns the value of the '<em><b>Tax office</b></em>' attribute.
* The literals are from the enumeration {@link TaxationWithRoot.Tax_Office}.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Tax office</em>' attribute.
* @see TaxationWithRoot.Tax_Office
* @see #setTax_office(Tax_Office)
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Tax_office()
* @model required="true"
* @generated
*/
Tax_Office getTax_office();
/**
* Sets the value of the '{@link TaxationWithRoot.Tax_Card#getTax_office <em>Tax office</em>}' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @param value the new value of the '<em>Tax office</em>' attribute.
* @see TaxationWithRoot.Tax_Office
* @see #getTax_office()
* @generated
*/
void setTax_office(Tax_Office value);
/**
* Returns the value of the '<em><b>Percentage of witholding</b></em>' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Percentage of witholding</em>' attribute.
* @see #setPercentage_of_witholding(double)
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Percentage_of_witholding()
* @model required="true"
* @generated
*/
double getPercentage_of_witholding();
/**
* Sets the value of the '{@link TaxationWithRoot.Tax_Card#getPercentage_of_witholding <em>Percentage of witholding</em>}' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @param value the new value of the '<em>Percentage of witholding</em>' attribute.
* @see #getPercentage_of_witholding()
* @generated
*/
void setPercentage_of_witholding(double value);
/**
* Returns the value of the '<em><b>Tax payers name surname</b></em>' attribute list.
* The list contents are of type {@link java.lang.String}.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Tax payers name surname</em>' attribute list.
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Tax_payers_name_surname()
* @model ordered="false"
* @generated
*/
EList<String> getTax_payers_name_surname();
/**
* Returns the value of the '<em><b>Tax payers partner name surname</b></em>' attribute list.
* The list contents are of type {@link java.lang.String}.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Tax payers partner name surname</em>' attribute list.
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Tax_payers_partner_name_surname()
* @model ordered="false"
* @generated
*/
EList<String> getTax_payers_partner_name_surname();
/**
* Returns the value of the '<em><b>Tax payers address</b></em>' reference.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Tax payers address</em>' reference.
* @see #setTax_payers_address(Address)
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Tax_payers_address()
* @model
* @generated
*/
Address getTax_payers_address();
/**
* Sets the value of the '{@link TaxationWithRoot.Tax_Card#getTax_payers_address <em>Tax payers address</em>}' reference.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @param value the new value of the '<em>Tax payers address</em>' reference.
* @see #getTax_payers_address()
* @generated
*/
void setTax_payers_address(Address value);
/**
* Returns the value of the '<em><b>Jobs Employer SS No</b></em>' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Jobs Employer SS No</em>' attribute.
* @see #setJobs_Employer_SSNo(String)
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Jobs_Employer_SSNo()
* @model unique="false" ordered="false"
* @generated
*/
String getJobs_Employer_SSNo();
/**
* Sets the value of the '{@link TaxationWithRoot.Tax_Card#getJobs_Employer_SSNo <em>Jobs Employer SS No</em>}' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @param value the new value of the '<em>Jobs Employer SS No</em>' attribute.
* @see #getJobs_Employer_SSNo()
* @generated
*/
void setJobs_Employer_SSNo(String value);
/**
* Returns the value of the '<em><b>Jobs employers name</b></em>' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Jobs employers name</em>' attribute.
* @see #setJobs_employers_name(String)
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Jobs_employers_name()
* @model unique="false" ordered="false"
* @generated
*/
String getJobs_employers_name();
/**
* Sets the value of the '{@link TaxationWithRoot.Tax_Card#getJobs_employers_name <em>Jobs employers name</em>}' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @param value the new value of the '<em>Jobs employers name</em>' attribute.
* @see #getJobs_employers_name()
* @generated
*/
void setJobs_employers_name(String value);
/**
* Returns the value of the '<em><b>Jobs activity type</b></em>' attribute.
* The literals are from the enumeration {@link TaxationWithRoot.Job_Activity}.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Jobs activity type</em>' attribute.
* @see TaxationWithRoot.Job_Activity
* @see #setJobs_activity_type(Job_Activity)
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Jobs_activity_type()
* @model required="true"
* @generated
*/
Job_Activity getJobs_activity_type();
/**
* Sets the value of the '{@link TaxationWithRoot.Tax_Card#getJobs_activity_type <em>Jobs activity type</em>}' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @param value the new value of the '<em>Jobs activity type</em>' attribute.
* @see TaxationWithRoot.Job_Activity
* @see #getJobs_activity_type()
* @generated
*/
void setJobs_activity_type(Job_Activity value);
/**
* Returns the value of the '<em><b>Jobs place of work</b></em>' attribute.
* The literals are from the enumeration {@link TaxationWithRoot.Town}.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Jobs place of work</em>' attribute.
* @see TaxationWithRoot.Town
* @see #setJobs_place_of_work(Town)
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Jobs_place_of_work()
* @model required="true"
* @generated
*/
Town getJobs_place_of_work();
/**
* Sets the value of the '{@link TaxationWithRoot.Tax_Card#getJobs_place_of_work <em>Jobs place of work</em>}' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @param value the new value of the '<em>Jobs place of work</em>' attribute.
* @see TaxationWithRoot.Town
* @see #getJobs_place_of_work()
* @generated
*/
void setJobs_place_of_work(Town value);
/**
* Returns the value of the '<em><b>Deduction FD daily</b></em>' attribute.
* The default value is <code>"0.0"</code>.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Deduction FD daily</em>' attribute.
* @see #setDeduction_FD_daily(double)
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Deduction_FD_daily()
* @model default="0.0" unique="false" required="true" ordered="false"
* @generated
*/
double getDeduction_FD_daily();
/**
* Sets the value of the '{@link TaxationWithRoot.Tax_Card#getDeduction_FD_daily <em>Deduction FD daily</em>}' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @param value the new value of the '<em>Deduction FD daily</em>' attribute.
* @see #getDeduction_FD_daily()
* @generated
*/
void setDeduction_FD_daily(double value);
/**
* Returns the value of the '<em><b>Deduction FD monthly</b></em>' attribute.
* The default value is <code>"0.0"</code>.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Deduction FD monthly</em>' attribute.
* @see #setDeduction_FD_monthly(double)
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Deduction_FD_monthly()
* @model default="0.0" unique="false" required="true" ordered="false"
* @generated
*/
double getDeduction_FD_monthly();
/**
* Sets the value of the '{@link TaxationWithRoot.Tax_Card#getDeduction_FD_monthly <em>Deduction FD monthly</em>}' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @param value the new value of the '<em>Deduction FD monthly</em>' attribute.
* @see #getDeduction_FD_monthly()
* @generated
*/
void setDeduction_FD_monthly(double value);
/**
* Returns the value of the '<em><b>Deduction AC daily</b></em>' attribute.
* The default value is <code>"0.0"</code>.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Deduction AC daily</em>' attribute.
* @see #setDeduction_AC_daily(double)
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Deduction_AC_daily()
* @model default="0.0" unique="false" required="true"
* @generated
*/
double getDeduction_AC_daily();
/**
* Sets the value of the '{@link TaxationWithRoot.Tax_Card#getDeduction_AC_daily <em>Deduction AC daily</em>}' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @param value the new value of the '<em>Deduction AC daily</em>' attribute.
* @see #getDeduction_AC_daily()
* @generated
*/
void setDeduction_AC_daily(double value);
/**
* Returns the value of the '<em><b>Deduction AC monthly</b></em>' attribute.
* The default value is <code>"0.0"</code>.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Deduction AC monthly</em>' attribute.
* @see #setDeduction_AC_monthly(double)
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Deduction_AC_monthly()
* @model default="0.0" unique="false" required="true"
* @generated
*/
double getDeduction_AC_monthly();
/**
* Sets the value of the '{@link TaxationWithRoot.Tax_Card#getDeduction_AC_monthly <em>Deduction AC monthly</em>}' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @param value the new value of the '<em>Deduction AC monthly</em>' attribute.
* @see #getDeduction_AC_monthly()
* @generated
*/
void setDeduction_AC_monthly(double value);
/**
* Returns the value of the '<em><b>Deduction AC yearly</b></em>' attribute.
* The default value is <code>"0.0"</code>.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Deduction AC yearly</em>' attribute.
* @see #setDeduction_AC_yearly(double)
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Deduction_AC_yearly()
* @model default="0.0" unique="false" required="true"
* @generated
*/
double getDeduction_AC_yearly();
/**
* Sets the value of the '{@link TaxationWithRoot.Tax_Card#getDeduction_AC_yearly <em>Deduction AC yearly</em>}' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @param value the new value of the '<em>Deduction AC yearly</em>' attribute.
* @see #getDeduction_AC_yearly()
* @generated
*/
void setDeduction_AC_yearly(double value);
/**
* Returns the value of the '<em><b>Deduction CE daily</b></em>' attribute.
* The default value is <code>"0.0"</code>.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Deduction CE daily</em>' attribute.
* @see #setDeduction_CE_daily(double)
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Deduction_CE_daily()
* @model default="0.0" unique="false" required="true"
* @generated
*/
double getDeduction_CE_daily();
/**
* Sets the value of the '{@link TaxationWithRoot.Tax_Card#getDeduction_CE_daily <em>Deduction CE daily</em>}' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @param value the new value of the '<em>Deduction CE daily</em>' attribute.
* @see #getDeduction_CE_daily()
* @generated
*/
void setDeduction_CE_daily(double value);
/**
* Returns the value of the '<em><b>Deduction CE monthly</b></em>' attribute.
* The default value is <code>"0.0"</code>.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Deduction CE monthly</em>' attribute.
* @see #setDeduction_CE_monthly(double)
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Deduction_CE_monthly()
* @model default="0.0" unique="false" required="true"
* @generated
*/
double getDeduction_CE_monthly();
/**
* Sets the value of the '{@link TaxationWithRoot.Tax_Card#getDeduction_CE_monthly <em>Deduction CE monthly</em>}' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @param value the new value of the '<em>Deduction CE monthly</em>' attribute.
* @see #getDeduction_CE_monthly()
* @generated
*/
void setDeduction_CE_monthly(double value);
/**
* Returns the value of the '<em><b>Deduction CE yearly</b></em>' attribute.
* The default value is <code>"0.0"</code>.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Deduction CE yearly</em>' attribute.
* @see #setDeduction_CE_yearly(double)
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Deduction_CE_yearly()
* @model default="0.0" unique="false" required="true"
* @generated
*/
double getDeduction_CE_yearly();
/**
* Sets the value of the '{@link TaxationWithRoot.Tax_Card#getDeduction_CE_yearly <em>Deduction CE yearly</em>}' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @param value the new value of the '<em>Deduction CE yearly</em>' attribute.
* @see #getDeduction_CE_yearly()
* @generated
*/
void setDeduction_CE_yearly(double value);
/**
* Returns the value of the '<em><b>Deduction DS daily</b></em>' attribute.
* The default value is <code>"0.0"</code>.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Deduction DS daily</em>' attribute.
* @see #setDeduction_DS_daily(double)
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Deduction_DS_daily()
* @model default="0.0" unique="false" required="true"
* @generated
*/
double getDeduction_DS_daily();
/**
* Sets the value of the '{@link TaxationWithRoot.Tax_Card#getDeduction_DS_daily <em>Deduction DS daily</em>}' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @param value the new value of the '<em>Deduction DS daily</em>' attribute.
* @see #getDeduction_DS_daily()
* @generated
*/
void setDeduction_DS_daily(double value);
/**
* Returns the value of the '<em><b>Deduction DS monthly</b></em>' attribute.
* The default value is <code>"0.0"</code>.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Deduction DS monthly</em>' attribute.
* @see #setDeduction_DS_monthly(double)
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Deduction_DS_monthly()
* @model default="0.0" required="true"
* @generated
*/
double getDeduction_DS_monthly();
/**
* Sets the value of the '{@link TaxationWithRoot.Tax_Card#getDeduction_DS_monthly <em>Deduction DS monthly</em>}' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @param value the new value of the '<em>Deduction DS monthly</em>' attribute.
* @see #getDeduction_DS_monthly()
* @generated
*/
void setDeduction_DS_monthly(double value);
/**
* Returns the value of the '<em><b>Deduction FO daily</b></em>' attribute.
* The default value is <code>"0.0"</code>.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Deduction FO daily</em>' attribute.
* @see #setDeduction_FO_daily(double)
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Deduction_FO_daily()
* @model default="0.0" unique="false" required="true"
* @generated
*/
double getDeduction_FO_daily();
/**
* Sets the value of the '{@link TaxationWithRoot.Tax_Card#getDeduction_FO_daily <em>Deduction FO daily</em>}' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @param value the new value of the '<em>Deduction FO daily</em>' attribute.
* @see #getDeduction_FO_daily()
* @generated
*/
void setDeduction_FO_daily(double value);
/**
* Returns the value of the '<em><b>Deduction FO monthly</b></em>' attribute.
* The default value is <code>"0.0"</code>.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Deduction FO monthly</em>' attribute.
* @see #setDeduction_FO_monthly(double)
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Deduction_FO_monthly()
* @model default="0.0" unique="false" required="true"
* @generated
*/
double getDeduction_FO_monthly();
/**
* Sets the value of the '{@link TaxationWithRoot.Tax_Card#getDeduction_FO_monthly <em>Deduction FO monthly</em>}' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @param value the new value of the '<em>Deduction FO monthly</em>' attribute.
* @see #getDeduction_FO_monthly()
* @generated
*/
void setDeduction_FO_monthly(double value);
/**
* Returns the value of the '<em><b>Deduction FO yearly</b></em>' attribute.
* The default value is <code>"0.0"</code>.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Deduction FO yearly</em>' attribute.
* @see #setDeduction_FO_yearly(double)
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Deduction_FO_yearly()
* @model default="0.0" unique="false" required="true"
* @generated
*/
double getDeduction_FO_yearly();
/**
* Sets the value of the '{@link TaxationWithRoot.Tax_Card#getDeduction_FO_yearly <em>Deduction FO yearly</em>}' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @param value the new value of the '<em>Deduction FO yearly</em>' attribute.
* @see #getDeduction_FO_yearly()
* @generated
*/
void setDeduction_FO_yearly(double value);
/**
* Returns the value of the '<em><b>Credit CIS daily</b></em>' attribute.
* The default value is <code>"0.0"</code>.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Credit CIS daily</em>' attribute.
* @see #setCredit_CIS_daily(double)
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Credit_CIS_daily()
* @model default="0.0" unique="false" required="true"
* @generated
*/
double getCredit_CIS_daily();
/**
* Sets the value of the '{@link TaxationWithRoot.Tax_Card#getCredit_CIS_daily <em>Credit CIS daily</em>}' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @param value the new value of the '<em>Credit CIS daily</em>' attribute.
* @see #getCredit_CIS_daily()
* @generated
*/
void setCredit_CIS_daily(double value);
/**
* Returns the value of the '<em><b>Credit CIS monthly</b></em>' attribute.
* The default value is <code>"0.0"</code>.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Credit CIS monthly</em>' attribute.
* @see #setCredit_CIS_monthly(double)
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Credit_CIS_monthly()
* @model default="0.0" unique="false" required="true"
* @generated
*/
double getCredit_CIS_monthly();
/**
* Sets the value of the '{@link TaxationWithRoot.Tax_Card#getCredit_CIS_monthly <em>Credit CIS monthly</em>}' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @param value the new value of the '<em>Credit CIS monthly</em>' attribute.
* @see #getCredit_CIS_monthly()
* @generated
*/
void setCredit_CIS_monthly(double value);
/**
* Returns the value of the '<em><b>Credit CIM daily</b></em>' attribute.
* The default value is <code>"0.0"</code>.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Credit CIM daily</em>' attribute.
* @see #setCredit_CIM_daily(double)
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Credit_CIM_daily()
* @model default="0.0" unique="false" required="true"
* @generated
*/
double getCredit_CIM_daily();
/**
* Sets the value of the '{@link TaxationWithRoot.Tax_Card#getCredit_CIM_daily <em>Credit CIM daily</em>}' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @param value the new value of the '<em>Credit CIM daily</em>' attribute.
* @see #getCredit_CIM_daily()
* @generated
*/
void setCredit_CIM_daily(double value);
/**
* Returns the value of the '<em><b>Validity</b></em>' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Validity</em>' attribute.
* @see #setValidity(boolean)
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Validity()
* @model required="true"
* @generated
*/
boolean isValidity();
/**
* Sets the value of the '{@link TaxationWithRoot.Tax_Card#isValidity <em>Validity</em>}' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @param value the new value of the '<em>Validity</em>' attribute.
* @see #isValidity()
* @generated
*/
void setValidity(boolean value);
/**
* Returns the value of the '<em><b>Income Tax Credit</b></em>' reference list.
* The list contents are of type {@link TaxationWithRoot.Income_Tax_Credit}.
* It is bidirectional and its opposite is '{@link TaxationWithRoot.Income_Tax_Credit#getTaxation_Frame <em>Taxation Frame</em>}'.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Income Tax Credit</em>' reference list.
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Income_Tax_Credit()
* @see TaxationWithRoot.Income_Tax_Credit#getTaxation_Frame
* @model opposite="taxation_Frame" ordered="false"
* @generated
*/
EList<Income_Tax_Credit> getIncome_Tax_Credit();
/**
* Returns the value of the '<em><b>Previous</b></em>' reference.
* It is bidirectional and its opposite is '{@link TaxationWithRoot.Tax_Card#getCurrent_tax_card <em>Current tax card</em>}'.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Previous</em>' reference.
* @see #setPrevious(Tax_Card)
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Previous()
* @see TaxationWithRoot.Tax_Card#getCurrent_tax_card
* @model opposite="current_tax_card"
* @generated
*/
Tax_Card getPrevious();
/**
* Sets the value of the '{@link TaxationWithRoot.Tax_Card#getPrevious <em>Previous</em>}' reference.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @param value the new value of the '<em>Previous</em>' reference.
* @see #getPrevious()
* @generated
*/
void setPrevious(Tax_Card value);
/**
* Returns the value of the '<em><b>Current tax card</b></em>' reference.
* It is bidirectional and its opposite is '{@link TaxationWithRoot.Tax_Card#getPrevious <em>Previous</em>}'.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Current tax card</em>' reference.
* @see #setCurrent_tax_card(Tax_Card)
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Current_tax_card()
* @see TaxationWithRoot.Tax_Card#getPrevious
* @model opposite="previous"
* @generated
*/
Tax_Card getCurrent_tax_card();
/**
* Sets the value of the '{@link TaxationWithRoot.Tax_Card#getCurrent_tax_card <em>Current tax card</em>}' reference.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @param value the new value of the '<em>Current tax card</em>' reference.
* @see #getCurrent_tax_card()
* @generated
*/
void setCurrent_tax_card(Tax_Card value);
/**
* Returns the value of the '<em><b>Credit CIM yearly</b></em>' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Credit CIM yearly</em>' attribute.
* @see #setCredit_CIM_yearly(double)
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Credit_CIM_yearly()
* @model required="true" ordered="false"
* @generated
*/
double getCredit_CIM_yearly();
/**
* Sets the value of the '{@link TaxationWithRoot.Tax_Card#getCredit_CIM_yearly <em>Credit CIM yearly</em>}' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @param value the new value of the '<em>Credit CIM yearly</em>' attribute.
* @see #getCredit_CIM_yearly()
* @generated
*/
void setCredit_CIM_yearly(double value);
/**
* Returns the value of the '<em><b>Deduction DS Alimony yearly</b></em>' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Deduction DS Alimony yearly</em>' attribute.
* @see #setDeduction_DS_Alimony_yearly(double)
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Deduction_DS_Alimony_yearly()
* @model required="true" ordered="false"
* @generated
*/
double getDeduction_DS_Alimony_yearly();
/**
* Sets the value of the '{@link TaxationWithRoot.Tax_Card#getDeduction_DS_Alimony_yearly <em>Deduction DS Alimony yearly</em>}' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @param value the new value of the '<em>Deduction DS Alimony yearly</em>' attribute.
* @see #getDeduction_DS_Alimony_yearly()
* @generated
*/
void setDeduction_DS_Alimony_yearly(double value);
/**
* Returns the value of the '<em><b>Deduction DS Debt yearly</b></em>' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Deduction DS Debt yearly</em>' attribute.
* @see #setDeduction_DS_Debt_yearly(double)
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Deduction_DS_Debt_yearly()
* @model required="true" ordered="false"
* @generated
*/
double getDeduction_DS_Debt_yearly();
/**
* Sets the value of the '{@link TaxationWithRoot.Tax_Card#getDeduction_DS_Debt_yearly <em>Deduction DS Debt yearly</em>}' attribute.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @param value the new value of the '<em>Deduction DS Debt yearly</em>' attribute.
* @see #getDeduction_DS_Debt_yearly()
* @generated
*/
void setDeduction_DS_Debt_yearly(double value);
/**
* Returns the value of the '<em><b>Income</b></em>' container reference.
* It is bidirectional and its opposite is '{@link TaxationWithRoot.Income#getTax_card <em>Tax card</em>}'.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @return the value of the '<em>Income</em>' container reference.
* @see #setIncome(Income)
* @see TaxationWithRoot.TaxationWithRootPackage#getTax_Card_Income()
* @see TaxationWithRoot.Income#getTax_card
* @model opposite="tax_card" required="true" transient="false"
* @generated
*/
Income getIncome();
/**
* Sets the value of the '{@link TaxationWithRoot.Tax_Card#getIncome <em>Income</em>}' container reference.
* <!-- begin-user-doc -->
* <!-- end-user-doc -->
* @param value the new value of the '<em>Income</em>' container reference.
* @see #getIncome()
* @generated
*/
void setIncome(Income value);
} // Tax_Card
| Java |
/*
* Sonatype Nexus (TM) Open Source Version
* Copyright (c) 2008-present Sonatype, Inc.
* All rights reserved. Includes the third-party code listed at http://links.sonatype.com/products/nexus/oss/attributions.
*
* This program and the accompanying materials are made available under the terms of the Eclipse Public License Version 1.0,
* which accompanies this distribution and is available at http://www.eclipse.org/legal/epl-v10.html.
*
* Sonatype Nexus (TM) Professional Version is available from Sonatype, Inc. "Sonatype" and "Sonatype Nexus" are trademarks
* of Sonatype, Inc. Apache Maven is a trademark of the Apache Software Foundation. M2eclipse is a trademark of the
* Eclipse Foundation. All other trademarks are the property of their respective owners.
*/
@FeatureFlag(name = ORIENT_ENABLED)
package org.sonatype.nexus.repository.maven.internal.orient;
import org.sonatype.nexus.common.app.FeatureFlag;
import static org.sonatype.nexus.common.app.FeatureFlags.ORIENT_ENABLED;
| Java |
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd">
<!-- NewPage -->
<html lang="en">
<head>
<title>Uses of Class org.apache.poi.ss.formula.functions.LogicalFunction (POI API Documentation)</title>
<link rel="stylesheet" type="text/css" href="../../../../../../../stylesheet.css" title="Style">
</head>
<body>
<script type="text/javascript"><!--
if (location.href.indexOf('is-external=true') == -1) {
parent.document.title="Uses of Class org.apache.poi.ss.formula.functions.LogicalFunction (POI API Documentation)";
}
//-->
</script>
<noscript>
<div>JavaScript is disabled on your browser.</div>
</noscript>
<!-- ========= START OF TOP NAVBAR ======= -->
<div class="topNav"><a name="navbar_top">
<!-- -->
</a><a href="#skip-navbar_top" title="Skip navigation links"></a><a name="navbar_top_firstrow">
<!-- -->
</a>
<ul class="navList" title="Navigation">
<li><a href="../../../../../../../overview-summary.html">Overview</a></li>
<li><a href="../package-summary.html">Package</a></li>
<li><a href="../../../../../../../org/apache/poi/ss/formula/functions/LogicalFunction.html" title="class in org.apache.poi.ss.formula.functions">Class</a></li>
<li class="navBarCell1Rev">Use</li>
<li><a href="../package-tree.html">Tree</a></li>
<li><a href="../../../../../../../deprecated-list.html">Deprecated</a></li>
<li><a href="../../../../../../../index-all.html">Index</a></li>
<li><a href="../../../../../../../help-doc.html">Help</a></li>
</ul>
</div>
<div class="subNav">
<ul class="navList">
<li>Prev</li>
<li>Next</li>
</ul>
<ul class="navList">
<li><a href="../../../../../../../index.html?org/apache/poi/ss/formula/functions/class-use/LogicalFunction.html" target="_top">Frames</a></li>
<li><a href="LogicalFunction.html" target="_top">No Frames</a></li>
</ul>
<ul class="navList" id="allclasses_navbar_top">
<li><a href="../../../../../../../allclasses-noframe.html">All Classes</a></li>
</ul>
<div>
<script type="text/javascript"><!--
allClassesLink = document.getElementById("allclasses_navbar_top");
if(window==top) {
allClassesLink.style.display = "block";
}
else {
allClassesLink.style.display = "none";
}
//-->
</script>
</div>
<a name="skip-navbar_top">
<!-- -->
</a></div>
<!-- ========= END OF TOP NAVBAR ========= -->
<div class="header">
<h2 title="Uses of Class org.apache.poi.ss.formula.functions.LogicalFunction" class="title">Uses of Class<br>org.apache.poi.ss.formula.functions.LogicalFunction</h2>
</div>
<div class="classUseContainer">No usage of org.apache.poi.ss.formula.functions.LogicalFunction</div>
<!-- ======= START OF BOTTOM NAVBAR ====== -->
<div class="bottomNav"><a name="navbar_bottom">
<!-- -->
</a><a href="#skip-navbar_bottom" title="Skip navigation links"></a><a name="navbar_bottom_firstrow">
<!-- -->
</a>
<ul class="navList" title="Navigation">
<li><a href="../../../../../../../overview-summary.html">Overview</a></li>
<li><a href="../package-summary.html">Package</a></li>
<li><a href="../../../../../../../org/apache/poi/ss/formula/functions/LogicalFunction.html" title="class in org.apache.poi.ss.formula.functions">Class</a></li>
<li class="navBarCell1Rev">Use</li>
<li><a href="../package-tree.html">Tree</a></li>
<li><a href="../../../../../../../deprecated-list.html">Deprecated</a></li>
<li><a href="../../../../../../../index-all.html">Index</a></li>
<li><a href="../../../../../../../help-doc.html">Help</a></li>
</ul>
</div>
<div class="subNav">
<ul class="navList">
<li>Prev</li>
<li>Next</li>
</ul>
<ul class="navList">
<li><a href="../../../../../../../index.html?org/apache/poi/ss/formula/functions/class-use/LogicalFunction.html" target="_top">Frames</a></li>
<li><a href="LogicalFunction.html" target="_top">No Frames</a></li>
</ul>
<ul class="navList" id="allclasses_navbar_bottom">
<li><a href="../../../../../../../allclasses-noframe.html">All Classes</a></li>
</ul>
<div>
<script type="text/javascript"><!--
allClassesLink = document.getElementById("allclasses_navbar_bottom");
if(window==top) {
allClassesLink.style.display = "block";
}
else {
allClassesLink.style.display = "none";
}
//-->
</script>
</div>
<a name="skip-navbar_bottom">
<!-- -->
</a></div>
<!-- ======== END OF BOTTOM NAVBAR ======= -->
<p class="legalCopy"><small>
<i>Copyright 2016 The Apache Software Foundation or
its licensors, as applicable.</i>
</small></p>
</body>
</html>
| Java |
/*******************************************************************************
* Copyright (c) 2010, 2012 Tasktop Technologies
* Copyright (c) 2010, 2011 SpringSource, a division of VMware
*
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*
* Contributors:
* Tasktop Technologies - initial API and implementation
******************************************************************************/
package com.tasktop.c2c.server.profile.web.ui.client.place;
import java.util.Arrays;
import java.util.List;
import com.tasktop.c2c.server.common.profile.web.client.navigation.AbstractPlaceTokenizer;
import com.tasktop.c2c.server.common.profile.web.client.navigation.PageMapping;
import com.tasktop.c2c.server.common.profile.web.client.place.Breadcrumb;
import com.tasktop.c2c.server.common.profile.web.client.place.BreadcrumbPlace;
import com.tasktop.c2c.server.common.profile.web.client.place.HeadingPlace;
import com.tasktop.c2c.server.common.profile.web.client.place.LoggedInPlace;
import com.tasktop.c2c.server.common.profile.web.client.place.WindowTitlePlace;
import com.tasktop.c2c.server.common.profile.web.client.util.WindowTitleBuilder;
import com.tasktop.c2c.server.common.profile.web.shared.actions.GetSshPublicKeysAction;
import com.tasktop.c2c.server.common.profile.web.shared.actions.GetSshPublicKeysResult;
import com.tasktop.c2c.server.profile.domain.project.Profile;
import com.tasktop.c2c.server.profile.domain.project.SshPublicKey;
import com.tasktop.c2c.server.profile.web.ui.client.gin.AppGinjector;
public class UserAccountPlace extends LoggedInPlace implements HeadingPlace, WindowTitlePlace, BreadcrumbPlace {
public static PageMapping Account = new PageMapping(new UserAccountPlace.Tokenizer(), "account");
@Override
public String getHeading() {
return "Account Settings";
}
private static class Tokenizer extends AbstractPlaceTokenizer<UserAccountPlace> {
@Override
public UserAccountPlace getPlace(String token) {
return UserAccountPlace.createPlace();
}
}
private Profile profile;
private List<SshPublicKey> sshPublicKeys;
public static UserAccountPlace createPlace() {
return new UserAccountPlace();
}
private UserAccountPlace() {
}
public Profile getProfile() {
return profile;
}
public List<SshPublicKey> getSshPublicKeys() {
return sshPublicKeys;
}
@Override
public String getPrefix() {
return Account.getUrl();
}
@Override
protected void addActions() {
super.addActions();
addAction(new GetSshPublicKeysAction());
}
@Override
protected void handleBatchResults() {
super.handleBatchResults();
profile = AppGinjector.get.instance().getAppState().getCredentials().getProfile();
sshPublicKeys = getResult(GetSshPublicKeysResult.class).get();
onPlaceDataFetched();
}
@Override
public String getWindowTitle() {
return WindowTitleBuilder.createWindowTitle("Account Settings");
}
@Override
public List<Breadcrumb> getBreadcrumbs() {
return Arrays.asList(new Breadcrumb("", "Projects"), new Breadcrumb(getHref(), "Account"));
}
}
| Java |
package com.openMap1.mapper.converters;
import java.util.Iterator;
import org.eclipse.emf.common.util.EList;
import org.w3c.dom.Attr;
import org.w3c.dom.Document;
import org.w3c.dom.Element;
import com.openMap1.mapper.ElementDef;
import com.openMap1.mapper.MappedStructure;
import com.openMap1.mapper.core.MapperException;
import com.openMap1.mapper.structures.MapperWrapper;
import com.openMap1.mapper.util.XMLUtil;
import com.openMap1.mapper.util.XSLOutputFile;
import com.openMap1.mapper.writer.TemplateFilter;
public class FACEWrapper extends AbstractMapperWrapper implements MapperWrapper{
public static String FACE_PREFIX = "face";
public static String FACE_URI = "http://schemas.facecode.com/webservices/2010/01/";
//----------------------------------------------------------------------------------------
// Constructor and initialisation from the Ecore model
//----------------------------------------------------------------------------------------
public FACEWrapper(MappedStructure ms, Object spare) throws MapperException
{
super(ms,spare);
}
/**
* @return the file extension of the outer document, with initial '*.'
*/
public String fileExtension() {return ("*.xml");}
/**
* @return the type of document transformed to and from;
* see static constants in class AbstractMapperWrapper.
*/
public int transformType() {return AbstractMapperWrapper.XML_TYPE;}
//----------------------------------------------------------------------------------------
// In-wrapper transform
//----------------------------------------------------------------------------------------
@Override
public Document transformIn(Object incoming) throws MapperException
{
if (!(incoming instanceof Element)) throw new MapperException("Document root is not an Element");
Element mappingRoot = (Element)incoming;
String mappingRootPath = "/GetIndicativeBudget";
inResultDoc = XMLUtil.makeOutDoc();
Element inRoot = scanDocument(mappingRoot, mappingRootPath, AbstractMapperWrapper.IN_TRANSFORM);
inResultDoc.appendChild(inRoot);
return inResultDoc;
}
/**
* default behaviour is a shallow copy - copying the element name, attributes,
* and text content only if the element has no child elements.
* to be overridden for specific paths in implementing classes
*/
protected Element inTransformNode(Element el, String path) throws MapperException
{
// copy the element with namespaces, prefixed tag name, attributes but no text or child Elements
Element copy = (Element)inResultDoc.importNode(el, false);
// convert <FaceCompletedItem> elements to specific types of item
if (XMLUtil.getLocalName(el).equals("FaceCompletedItem"))
{
String questionCode = getPathValue(el,"QuestionId");
String newName = "FaceCompletedItem_" + questionCode;
copy = renameElement(el, newName, true);
}
// if the source element has no child elements but has text, copy the text
String text = textOnly(el);
if (!text.equals("")) copy.appendChild(inResultDoc.createTextNode(text));
return copy;
}
//----------------------------------------------------------------------------------------
// Out-wrapper transform
//----------------------------------------------------------------------------------------
@Override
public Object transformOut(Element outgoing) throws MapperException
{
String mappingRootPath = "/Envelope";
outResultDoc = XMLUtil.makeOutDoc();
Element outRoot = scanDocument(outgoing, mappingRootPath, AbstractMapperWrapper.OUT_TRANSFORM);
outResultDoc.appendChild(outRoot);
return outResultDoc;
}
/**
* default behaviour is a shallow copy - copying the element name, attributes,
* and text content only if the element has no child elements.
* to be overridden for specific paths in implementing classes
*/
protected Element outTransformNode(Element el, String path) throws MapperException
{
// copy the element with namespaces, prefixed tag name, attributes but no text or child Elements
Element copy = (Element)outResultDoc.importNode(el, false);
// convert specific types of <FaceCompletedItem_XX> back to plain <FACECompletedItem>
if (XMLUtil.getLocalName(el).startsWith("FaceCompletedItem"))
{
copy = renameElement(el,"FaceCompletedItem",false);
}
// if the source element has no child elements but has text, copy the text
String text = textOnly(el);
if (!text.equals("")) copy.appendChild(outResultDoc.createTextNode(text));
return copy;
}
/**
* copy an element and all its attributes to the new document, renaming it
* and putting it in no namespace.
* @param el
* @param newName
* @param isIn true for the in-transform, false for the out-transform
* @return
* @throws MapperException
*/
protected Element renameElement(Element el, String newName, boolean isIn) throws MapperException
{
Element newEl = null;
if (isIn) newEl = inResultDoc.createElementNS(FACE_URI, newName);
else if (!isIn) newEl = outResultDoc.createElementNS(FACE_URI, newName);
// set all attributes of the constrained element, including namespace attributes
for (int a = 0; a < el.getAttributes().getLength();a++)
{
Attr at = (Attr)el.getAttributes().item(a);
newEl.setAttribute(at.getName(), at.getValue());
}
return newEl;
}
//--------------------------------------------------------------------------------------------------------------
// XSLT Wrapper Transforms
//--------------------------------------------------------------------------------------------------------------
/**
* @param xout XSLT output being made
* @param templateFilter a filter on the templates, implemented by XSLGeneratorImpl
* append the templates and variables to be included in the XSL
* to do the full transformation, to apply the wrapper transform in the 'in' direction.
* Templates must have mode = "inWrapper"
*/
public void addWrapperInTemplates(XSLOutputFile xout, TemplateFilter templateFilter) throws MapperException
{
// see class AbstractMapperWrapper - adds a plain identity template
super.addWrapperInTemplates(xout, templateFilter);
// add the FACE namespace
xout.topOut().setAttribute("xmlns:" + FACE_PREFIX, FACE_URI);
for (Iterator<ElementDef> it = findFACEItemsElementDefs(ms()).iterator();it.hasNext();)
{
ElementDef FACEItem = it.next();
String tagName = FACEItem.getName();
if (tagName.startsWith("FaceCompletedItem_"))
{
String questionId = tagName.substring("FaceCompletedItem_".length());
addInTemplate(xout,tagName,questionId);
}
}
}
/**
* @param xout XSLT output being made
* @param templateFilter a filter on the templates to be included, implemented by XSLGeneratorImpl
* append the templates and variables to be included in the XSL
* to do the full transformation, to apply the wrapper transform in the 'out' direction.
* Templates must have mode = "outWrapper"
* @throws MapperException
*/
public void addWrapperOutTemplates(XSLOutputFile xout, TemplateFilter templateFilter) throws MapperException
{
// see class AbstractMapperWrapper - adds a plain identity template
super.addWrapperOutTemplates(xout, templateFilter);
// add the FACE namespace
xout.topOut().setAttribute("xmlns:" + FACE_PREFIX, FACE_URI);
for (Iterator<ElementDef> it = findFACEItemsElementDefs(ms()).iterator();it.hasNext();)
{
ElementDef FACEItem = it.next();
String tagName = FACEItem.getName();
if (tagName.startsWith("FaceCompletedItem_"))
{
String questionId = tagName.substring("FaceCompletedItem_".length());
addOutTemplate(xout,tagName,questionId);
}
}
}
/**
* add an in-wrapper template of the form
<xsl:template match="face:FaceCompletedItem[face:QuestionId='F14_14_46_11_15_33T61_38']" mode="inWrapper">
<face:FaceCompletedItem_F14_14_46_11_15_33T61_38>
<xsl:copy-of select="@*"/>
<xsl:apply-templates mode="inWrapper"/>
</face:FaceCompletedItem_F14_14_46_11_15_33T61_38>
</xsl:template>
* @param xout
* @param tagName
* @param questionId
*/
private void addInTemplate(XSLOutputFile xout,String tagName,String questionId) throws MapperException
{
Element tempEl = xout.XSLElement("template");
tempEl.setAttribute("match", FACE_PREFIX + ":FaceCompletedItem[" + FACE_PREFIX + ":QuestionId='" + questionId + "']");
tempEl.setAttribute("mode", "inWrapper");
Element FACEEl = xout.NSElement(FACE_PREFIX, tagName, FACE_URI);
tempEl.appendChild(FACEEl);
addApplyChildren(xout,FACEEl,"inWrapper");
xout.topOut().appendChild(tempEl);
}
/**
* add an out-wrapper template of the form
<xsl:template match="face:FaceCompletedItem_F14_14_46_11_15_33T61_38" mode="outWrapper">
<face:FaceCompletedItem>
<xsl:copy-of select="@*"/>
<xsl:apply-templates mode="outWrapper"/>
</face:FaceCompletedItem>
</xsl:template>
* @param xout
* @param tagName
* @param questionId
*/
private void addOutTemplate(XSLOutputFile xout,String tagName,String questionId) throws MapperException
{
Element tempEl = xout.XSLElement("template");
tempEl.setAttribute("match", FACE_PREFIX + ":" + tagName);
tempEl.setAttribute("mode", "outWrapper");
Element FACEEl = xout.NSElement(FACE_PREFIX, "FaceCompletedItem", FACE_URI);
tempEl.appendChild(FACEEl);
addApplyChildren(xout,FACEEl,"outWrapper");
xout.topOut().appendChild(tempEl);
}
/**
* add two child nodes to a template to carry on copying down the tree
* @param xout
* @param FACEEl
* @param mode
* @throws MapperException
*/
private void addApplyChildren(XSLOutputFile xout,Element FACEEl, String mode) throws MapperException
{
Element copyOfEl = xout.XSLElement("copy-of");
copyOfEl.setAttribute("select", "@*");
FACEEl.appendChild(copyOfEl);
Element applyEl = xout.XSLElement("apply-templates");
applyEl.setAttribute("mode", mode);
FACEEl.appendChild(applyEl);
}
/**
*
* @param mappedStructure
* @return a lit of nodes in the mapping set which are children of the 'Items' node
* @throws MapperException
*/
public static EList<ElementDef> findFACEItemsElementDefs(MappedStructure mappedStructure) throws MapperException
{
ElementDef msRoot = mappedStructure.getRootElement();
if (msRoot == null) throw new MapperException("No root element in mapping set");
if (!msRoot.getName().equals("GetIndicativeBudget"))
throw new MapperException("Root Element of mapping set must be called 'GetIndicativeBudget'");
// there must be a chain of child ElementDefs with the names below; throw an exception if not
ElementDef payload = findChildElementDef(msRoot,"payload");
ElementDef items = findChildElementDef(payload,"Items");
return items.getChildElements();
}
/**
*
* @param parent
* @param childName
* @return the child ElementDef with given name
* @throws MapperException if it does not exist
*/
private static ElementDef findChildElementDef(ElementDef parent, String childName) throws MapperException
{
ElementDef child = parent.getNamedChildElement(childName);
if (child == null) throw new MapperException("Mapping set node '" + parent.getName() + "' has no child '" + childName + "'");
return child;
}
}
| Java |
package org.matmaul.freeboxos.ftp;
import org.matmaul.freeboxos.internal.Response;
public class FtpResponse {
public static class FtpConfigResponse extends Response<FtpConfig> {}
}
| Java |
/* ==========================================
* JGraphT : a free Java graph-theory library
* ==========================================
*
* Project Info: http://jgrapht.sourceforge.net/
* Project Creator: Barak Naveh (http://sourceforge.net/users/barak_naveh)
*
* (C) Copyright 2003-2008, by Barak Naveh and Contributors.
*
* This program and the accompanying materials are dual-licensed under
* either
*
* (a) the terms of the GNU Lesser General Public License version 2.1
* as published by the Free Software Foundation, or (at your option) any
* later version.
*
* or (per the licensee's choosing)
*
* (b) the terms of the Eclipse Public License v1.0 as published by
* the Eclipse Foundation.
*/
/* -----------------
* Specifics.java
* -----------------
* (C) Copyright 2015-2015, by Barak Naveh and Contributors.
*
* Original Author: Barak Naveh
* Contributor(s):
*
* $Id$
*
* Changes
* -------
*/
package org.jgrapht.graph.specifics;
import java.io.Serializable;
import java.util.Set;
/**
* .
*
* @author Barak Naveh
*/
public abstract class Specifics<V, E>
implements Serializable
{
private static final long serialVersionUID = 785196247314761183L;
public abstract void addVertex(V vertex);
public abstract Set<V> getVertexSet();
/**
* .
*
* @param sourceVertex
* @param targetVertex
*
* @return
*/
public abstract Set<E> getAllEdges(V sourceVertex,
V targetVertex);
/**
* .
*
* @param sourceVertex
* @param targetVertex
*
* @return
*/
public abstract E getEdge(V sourceVertex, V targetVertex);
/**
* Adds the specified edge to the edge containers of its source and
* target vertices.
*
* @param e
*/
public abstract void addEdgeToTouchingVertices(E e);
/**
* .
*
* @param vertex
*
* @return
*/
public abstract int degreeOf(V vertex);
/**
* .
*
* @param vertex
*
* @return
*/
public abstract Set<E> edgesOf(V vertex);
/**
* .
*
* @param vertex
*
* @return
*/
public abstract int inDegreeOf(V vertex);
/**
* .
*
* @param vertex
*
* @return
*/
public abstract Set<E> incomingEdgesOf(V vertex);
/**
* .
*
* @param vertex
*
* @return
*/
public abstract int outDegreeOf(V vertex);
/**
* .
*
* @param vertex
*
* @return
*/
public abstract Set<E> outgoingEdgesOf(V vertex);
/**
* Removes the specified edge from the edge containers of its source and
* target vertices.
*
* @param e
*/
public abstract void removeEdgeFromTouchingVertices(E e);
}
| Java |
import java.io.BufferedWriter;
import java.io.File;
import java.io.FileWriter;
import java.io.IOException;
public class FileLogger extends MyLoggerImpl {
private String fileName;
public FileLogger(String fileName) {
super();
this.fileName = fileName;
}
@Override
public void log(int level, String message) throws ErrorIntegerLevelException {
super.log(level, message);
try {
File file = new File(fileName);
FileWriter fw = new FileWriter(file.getAbsoluteFile(), true);
BufferedWriter bw = new BufferedWriter(fw);
if(file.length() > 0) {
bw.write("\n"+ getLogMessage());
} else {
bw.write(getLogMessage());
}
bw.close();
} catch (IOException e) {
System.err.println("This file doesn`t exist!");
}
}
public static void main(String[] argv) {
MyLogger consoleLogger = new FileLogger("test.txt");
try {
consoleLogger.log(1, "Hello world!");
consoleLogger.log(2, "The application`s digital signature has error!");
consoleLogger.log(3, "Checking file system on C!");
consoleLogger.log(4, "Error level!");
} catch (ErrorIntegerLevelException e) {
System.err.println("Error level! It must be 1, 2 or 3");
}
}
}
| Java |
/**
* Created by Paul on 24/01/2015.
*/
var install_url = $("#install_url").val();
$("#updateCase").click(function () {
var case_id = $('#case_id').val();
var case_priority = $('#case_priority').val();
var case_status = $('#case_status').val();
var case_type = $('#case_type').val();
var assignedTo = $('#assignedTo').val();
var case_subject = $('#case_subject').val();
var case_description = $('#case_description').val();
var case_resolution = $('#case_resolution').val();
$.ajax({
url: install_url + '/web/front.php/tickets/update_case_ajax',
type: 'POST',
data: "id=" + case_id + "&case_priority=" + case_priority +
"&case_status=" + case_status + "&case_type=" + case_type + "&assignedTo=" + assignedTo + "&case_subject=" + case_subject
+ "&case_description=" + case_description + "&case_resolution=" + case_resolution,
dataType: 'json',
success: function (data) {
if (data.error == "no") {
toastr.options = {
"closeButton": true,
"showDuration": 3
};
toastr['success']('MyCRM', "Case updated");
} else {
toastr.options = {
"closeButton": true,
"showDuration": 3
};
toastr['error']('MyCRM', "Error while updating case");
}
},
error: function (data) {
toastr.options = {
"closeButton": true,
"showDuration": 3
};
toastr['error']('MyCRM', "Error while updating case : " + data);
}
});
}); | Java |
<?php /* Smarty version 2.6.14, created on 2010-01-28 11:39:35
compiled from CRM/Contact/Form/Search.tpl */ ?>
<?php require_once(SMARTY_CORE_DIR . 'core.load_plugins.php');
smarty_core_load_plugins(array('plugins' => array(array('block', 'ts', 'CRM/Contact/Form/Search.tpl', 19, false),)), $this); ?>
<?php $_smarty_tpl_vars = $this->_tpl_vars;
$this->_smarty_include(array('smarty_include_tpl_file' => "CRM/Contact/Form/Search/Intro.tpl", 'smarty_include_vars' => array()));
$this->_tpl_vars = $_smarty_tpl_vars;
unset($_smarty_tpl_vars);
?>
<?php if ($this->_tpl_vars['context'] == 'smog'): ?>
<?php if ($this->_tpl_vars['rowsEmpty']): ?>
<?php $this->assign('showBlock', ""); ?>
<?php $this->assign('hideBlock', "'searchForm','searchForm_show'"); ?>
<?php else: ?>
<?php $this->assign('showBlock', "'searchForm_show'"); ?>
<?php $this->assign('hideBlock', "'searchForm'"); ?>
<?php endif; else: ?>
<?php $this->assign('showBlock', "'searchForm'"); ?>
<?php $this->assign('hideBlock', "'searchForm_show'"); endif; ?>
<div id="searchForm_show" class="form-item">
<a href="#" onclick="hide('searchForm_show'); show('searchForm'); return false;"><img src="<?php echo $this->_tpl_vars['config']->resourceBase; ?>
i/TreePlus.gif" class="action-icon" alt="<?php $this->_tag_stack[] = array('ts', array()); $_block_repeat=true;smarty_block_ts($this->_tag_stack[count($this->_tag_stack)-1][1], null, $this, $_block_repeat);while ($_block_repeat) { ob_start(); ?>open section<?php $_block_content = ob_get_contents(); ob_end_clean(); $_block_repeat=false;echo smarty_block_ts($this->_tag_stack[count($this->_tag_stack)-1][1], $_block_content, $this, $_block_repeat); } array_pop($this->_tag_stack); ?>" /></a>
<label>
<?php if ($this->_tpl_vars['context'] == 'smog'): $this->_tag_stack[] = array('ts', array()); $_block_repeat=true;smarty_block_ts($this->_tag_stack[count($this->_tag_stack)-1][1], null, $this, $_block_repeat);while ($_block_repeat) { ob_start(); ?>Find Members within this Group<?php $_block_content = ob_get_contents(); ob_end_clean(); $_block_repeat=false;echo smarty_block_ts($this->_tag_stack[count($this->_tag_stack)-1][1], $_block_content, $this, $_block_repeat); } array_pop($this->_tag_stack); ?>
<?php elseif ($this->_tpl_vars['context'] == 'amtg'): $this->_tag_stack[] = array('ts', array()); $_block_repeat=true;smarty_block_ts($this->_tag_stack[count($this->_tag_stack)-1][1], null, $this, $_block_repeat);while ($_block_repeat) { ob_start(); ?>Find Contacts to Add to this Group<?php $_block_content = ob_get_contents(); ob_end_clean(); $_block_repeat=false;echo smarty_block_ts($this->_tag_stack[count($this->_tag_stack)-1][1], $_block_content, $this, $_block_repeat); } array_pop($this->_tag_stack); ?>
<?php else: $this->_tag_stack[] = array('ts', array()); $_block_repeat=true;smarty_block_ts($this->_tag_stack[count($this->_tag_stack)-1][1], null, $this, $_block_repeat);while ($_block_repeat) { ob_start(); ?>Search Criteria<?php $_block_content = ob_get_contents(); ob_end_clean(); $_block_repeat=false;echo smarty_block_ts($this->_tag_stack[count($this->_tag_stack)-1][1], $_block_content, $this, $_block_repeat); } array_pop($this->_tag_stack); endif; ?>
</label>
</div>
<div id="searchForm">
<?php $_smarty_tpl_vars = $this->_tpl_vars;
$this->_smarty_include(array('smarty_include_tpl_file' => "CRM/Contact/Form/Search/BasicCriteria.tpl", 'smarty_include_vars' => array()));
$this->_tpl_vars = $_smarty_tpl_vars;
unset($_smarty_tpl_vars);
?>
</div>
<?php if ($this->_tpl_vars['rowsEmpty']): ?>
<?php $_smarty_tpl_vars = $this->_tpl_vars;
$this->_smarty_include(array('smarty_include_tpl_file' => "CRM/Contact/Form/Search/EmptyResults.tpl", 'smarty_include_vars' => array()));
$this->_tpl_vars = $_smarty_tpl_vars;
unset($_smarty_tpl_vars);
endif; ?>
<?php if ($this->_tpl_vars['rows']): ?>
<fieldset>
<?php $_smarty_tpl_vars = $this->_tpl_vars;
$this->_smarty_include(array('smarty_include_tpl_file' => "CRM/Contact/Form/Search/ResultTasks.tpl", 'smarty_include_vars' => array()));
$this->_tpl_vars = $_smarty_tpl_vars;
unset($_smarty_tpl_vars);
?>
<p></p>
<?php $_smarty_tpl_vars = $this->_tpl_vars;
$this->_smarty_include(array('smarty_include_tpl_file' => "CRM/Contact/Form/Selector.tpl", 'smarty_include_vars' => array()));
$this->_tpl_vars = $_smarty_tpl_vars;
unset($_smarty_tpl_vars);
?>
</fieldset>
<?php endif; ?>
<script type="text/javascript">
var showBlock = new Array(<?php echo $this->_tpl_vars['showBlock']; ?>
);
var hideBlock = new Array(<?php echo $this->_tpl_vars['hideBlock']; ?>
);
on_load_init_blocks( showBlock, hideBlock );
</script> | Java |
// Copyright (c) 2009-2013 DotNetAge (http://www.dotnetage.com)
// Licensed under the GPLv2: http://dotnetage.codeplex.com/license
// Project owner : Ray Liang (csharp2002@hotmail.com)
using System;
using System.Collections.Generic;
using System.Data.Entity.ModelConfiguration;
using System.Linq;
using System.Text;
namespace DNA.Web.Data.Entity.ModelConfiguration
{
public class SqlContentListConfiguration : EntityTypeConfiguration<ContentList>
{
public SqlContentListConfiguration()
{
HasKey(c => c.ID).ToTable("dna_ContentLists");
Property(c => c.Description).HasMaxLength(2048);
Property(c => c.ItemType).HasMaxLength(2048);
Property(c => c.Name).HasMaxLength(255);
Property(c => c.Title).HasMaxLength(255);
Property(c => c.Owner).HasMaxLength(50);
Property(c => c.FieldsXml).HasColumnType("ntext");
Property(c => c.Moderators).HasColumnType("ntext");
Property(c => c.ImageUrl).HasColumnType("ntext");
//Property(c => c.ActivityDispTemplate).HasColumnType("ntext");
Property(c => c.BaseType).HasMaxLength(255);
Property(c => c.Master).HasMaxLength(255);
Property(c => c.Version).HasMaxLength(50);
Property(c => c.Locale).HasMaxLength(20);
Ignore(c => c.DetailForm);
Ignore(c => c.EditForm);
Ignore(c => c.NewForm);
Ignore(c => c.Roles);
HasMany(i => i.Items)
.WithRequired(i => i.Parent)
.HasForeignKey(i => i.ParentID);
HasMany(p => p.Views)
.WithRequired(v => v.Parent)
.HasForeignKey(v => v.ParentID);
HasMany(p => p.Forms)
.WithRequired(v => v.Parent)
.HasForeignKey(v => v.ParentID);
HasMany(p => p.Actions)
.WithRequired(v => v.Parent)
.HasForeignKey(v => v.ParentID);
//HasMany(c => c.Roles)
// .WithMany(r => r.Lists)
// .Map(cr =>
// {
// cr.MapLeftKey("ListID");
// cr.MapRightKey("RoleID");
// cr.ToTable("dna_ListsInRoles");
// });
HasMany(c => c.Followers)
.WithRequired(c => c.List)
.HasForeignKey(c => c.ListID);
}
}
}
| Java |
/**
* 项目名: java-code-tutorials-tools
* 包名: net.fantesy84.common.util
* 文件名: IPUtils.java
* Copy Right © 2015 Andronicus Ge
* 时间: 2015年11月9日
*/
package net.fantesy84.common.util;
import java.net.InetAddress;
import java.net.UnknownHostException;
import javax.servlet.http.HttpServletRequest;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
/**
* @author Andronicus
* @since 2015年11月9日
*/
public abstract class IPUtils {
private static final Logger logger = LoggerFactory.getLogger(IPUtils.class);
private static String LOCALHOST_NAME;
static {
try {
LOCALHOST_NAME = InetAddress.getLocalHost().getHostName();
} catch (UnknownHostException e) {
logger.error(e.getMessage(), new IllegalStateException(e));
}
}
/**
* 获取本地网络适配器IP地址
* <P>有多个网卡时会有多个IP,一一对应
* @return 网卡地址列表
*/
public static String getLocalIPv4Address(){
String ip = null;
try {
InetAddress[] addresses = InetAddress.getAllByName(LOCALHOST_NAME);
if (!ArrayUtils.isEmpty(addresses)) {
StringBuilder builder = new StringBuilder();
for (int i = 0; i < addresses.length; i++) {
if (addresses[i].getHostAddress().matches(RegularExpressions.IP_V4_REGEX)){
builder.append(",").append(addresses[i].getHostAddress());
}
}
ip = builder.toString().replaceFirst(",", "");
}
} catch (UnknownHostException e) {
logger.error(e.getMessage(), new IllegalStateException(e));
}
return ip;
}
/**
* 获取远程访问者IP地址
* <P> 关于代理请求,通过代理过滤进行查询.有多层代理时,第一个IP地址即为真实地址.
* @param request 网络请求
* @return 远程访问者IP地址
*/
public static String getRemoteIP(HttpServletRequest request, String regex){
String ip = null;
ip = request.getHeader("x-forwarded-for");
if (ip == null || ip.length() == 0 || "unknown".equalsIgnoreCase(ip)) {
ip = request.getHeader("Proxy-Client-IP");
}
if (ip == null || ip.length() == 0 || "unknown".equalsIgnoreCase(ip)) {
ip = request.getHeader("WL-Proxy-Client-IP");
}
if (ip == null || ip.length() == 0 || "unknown".equalsIgnoreCase(ip)) {
ip = request.getRemoteAddr();
}
if ("127.0.0.1".equals(ip) || "0:0:0:0:0:0:0:1".equals(ip)) {
ip = getLocalIPv4Address();
}
if (ip != null && ip.length() > 15) {
if (!StringUtils.isBlank(regex)) {
StringBuilder builder = new StringBuilder();
String[] addrs = ip.split(",");
for (String addr : addrs) {
if (addr.matches(regex)) {
builder.append(",").append(addr);
}
}
ip = builder.toString().replaceFirst(",", "");
}
if (ip.indexOf(",") > 0) {
ip = ip.substring(0, ip.indexOf(","));
}
}
if (ip == null) {
logger.error("未获取到任何IP地址!请检查网络配置!", new IllegalStateException());
}
return ip;
}
}
| Java |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.