code
stringlengths
3
1.05M
repo_name
stringlengths
4
116
path
stringlengths
4
991
language
stringclasses
9 values
license
stringclasses
15 values
size
int32
3
1.05M
//Problem 12. Parse URL //Write a program that parses an URL address given in the format: //[protocol]://[server]/[resource] and extracts from it the [protocol], [server] and [resource] elements. using System; using System.Linq; using System.Text; using System.Text.RegularExpressions; namespace ParseURL { class ParsingURL { static void Main() { //input string input = Console.ReadLine();//"http://telerikacademy.com/Courses/Courses/Details/212"; string protocolFormat = @"^\w*[TCPUDHOFIMAGRES]{3,5}://"; // letters to the most common protocols from wikipedia //output var protocol = string.Empty; string server = string.Empty; string resource = string.Empty; Match protocolMatch = Regex.Match(input, protocolFormat, RegexOptions.IgnoreCase); if (protocolMatch.Success) { protocol = input.Substring(protocolMatch.Index,protocolMatch.Length - 3).ToString(); input = input.Remove(protocolMatch.Index, protocolMatch.Length); } else { Console.WriteLine("Incorrect address"); System.Environment.Exit(0); } int breakIndex = input.IndexOf('/', 1); server = input.Substring(0, breakIndex); resource = input.Remove(0, breakIndex); Console.Write("[protocol] = {0}\n[server] = {1}\n[resource] = {2}", protocol, server, resource); Console.WriteLine(); } } }
siderisltd/Telerik-Academy
All Courses Homeworks/C#_Part_2/6. StringsAndText/ParseURL/Program.cs
C#
mit
1,607
<?php /** * ECSHOP 管理中心支付方式管理語言文件 * ============================================================================ * 版權所有 2005-2011 上海商派網絡科技有限公司,並保留所有權利。 * 網站地址: http://www.ecshop.com; * ---------------------------------------------------------------------------- * 這不是一個自由軟件!您只能在不用於商業目的的前提下對程序代碼進行修改和 * 使用;不允許對程序代碼以任何形式任何目的的再發佈。 * ============================================================================ * $Author: liubo $ * $Id: payment.php 17217 2011-01-19 06:29:08Z liubo $ */ $_LANG['payment'] = '支付方式'; $_LANG['payment_name'] = '支付方式名稱'; $_LANG['version'] = '插件版本'; $_LANG['payment_desc'] = '支付方式描述'; $_LANG['short_pay_fee'] = '費用'; $_LANG['payment_author'] = '插件作者'; $_LANG['payment_is_cod'] = '貨到付款?'; $_LANG['payment_is_online'] = '在線支付?'; $_LANG['name_is_null'] = '您沒有輸入支付方式名稱!'; $_LANG['name_exists'] = '該支付方式名稱已存在!'; $_LANG['pay_fee'] = '支付手續費'; $_LANG['back_list'] = '返回支付方式列表'; $_LANG['install_ok'] = '安裝成功'; $_LANG['edit_ok'] = '編輯成功'; $_LANG['uninstall_ok'] = '卸載成功'; $_LANG['invalid_pay_fee'] = '支付費用不是一個合法的價格'; $_LANG['decide_by_ship'] = '配送決定'; $_LANG['edit_after_install'] = '該支付方式尚未安裝,請你安裝後再編輯'; $_LANG['payment_not_available'] = '該支付插件不存在或尚未安裝'; $_LANG['js_languages']['lang_removeconfirm'] = '您確定要卸載該支付方式嗎?'; $_LANG['ctenpay'] = '立即註冊財付通商戶號'; $_LANG['ctenpay_url'] = 'http://union.tenpay.com/mch/mch_register_b2c.shtml?sp_suggestuser=542554970'; $_LANG['ctenpayc2c_url'] = 'https://www.tenpay.com/mchhelper/mch_register_c2c.shtml?sp_suggestuser=542554970'; $_LANG['tenpay'] = '即時到賬'; $_LANG['tenpayc2c'] = '中介擔保'; $_LANG['detail_account'] = '查看賬戶'; ?>
kitboy/docker-shop
html/ecshop3/ecshop/languages/zh_tw/admin/payment.php
PHP
mit
2,156
// CS_Cholinc.cpp // // 2007/10/16 //--------------------------------------------------------- #include "NDGLib_headers.h" #include "CS_Type.h" #define TRACE_CHOL 0 /////////////////////////////////////////////////////////// // // Spa : buffer for storing sparse column info // /////////////////////////////////////////////////////////// //--------------------------------------------------------- class Spa //--------------------------------------------------------- { public: Spa(int n) : length(0), m_status(0) { resize(n); } bool ok() const { return (m_status != 0) ? false : true; } bool resize(int n); void set(CSd& A, int j); void scale_add(int j, CSd& A, int k, double alpha); public: int length, m_status; IVec indices, bitmap; DVec values; }; //--------------------------------------------------------- bool Spa::resize(int n) //--------------------------------------------------------- { length = 0; indices.resize(n); bitmap.resize(n); values.resize(n); if (indices.ok() && bitmap.ok() && values.ok()) { bitmap.fill(-1); // initialize bitmap m_status = 0; return true; } else { m_status = -1; return false; } } //--------------------------------------------------------- void Spa::set(CSd& A, int j) //--------------------------------------------------------- { // initialize info for column L(:,j) assert(j < A.n); int next=0, i=0; double Aij=0.0; for (int ip = A.P[j]; ip < A.P[j+1]; ++ip) { i = A.I[ip]; Aij = A.X[ip]; assert( i >= j ); // A must be lower triangular indices[next] = i; values [i ] = Aij; bitmap [i ] = j; next++; } length = next; } //--------------------------------------------------------- void Spa::scale_add(int j, CSd& A, int k, double alpha) //--------------------------------------------------------- { assert(k < A.n); #if (TRACE_CHOL>=5) umMSG(1, "spa::scale_add: updating column %d with column %d\n",j,k); umMSG(1, "spa::scale_add: colptr %d to %d-1\n",A.P[k],A.P[k+1]); #endif int next=0, i=0, ip=0; double Aik=0.0; for (int ip = A.P[k]; ip < A.P[k+1]; ++ip) { i = A.I[ip]; if (i < j) continue; Aik = A.X[ip]; if ((this->bitmap)[i] < j) { #if (TRACE_CHOL>=3) umMSG(1, "fill in (%d,%d)\n",i,j); #endif bitmap [ i ] = j; values [ i ] = 0.0; indices[length] = i; length++; } values[i] += alpha*Aik; #if (TRACE_CHOL>=5) umMSG(1, "spa::scale_add: A(%d,%d) -= %lg * %lg ==> %lg\n", i,j, alpha, Aik, values[i]); #endif } } /////////////////////////////////////////////////////////// // // RowList : linked lists for mapping row dependencies // /////////////////////////////////////////////////////////// //--------------------------------------------------------- class RowList //--------------------------------------------------------- { public: RowList(int n); ~RowList() {} int create(int n); int add(int i, int j, double v); bool ok() const { return (m_status != 0) ? false : true; } int getfirst (int rl) { return rowlist [ rl ]; } int getnext (int rl) { return next [ rl ]; } int getcolind(int rl) { return colind[ rl ]; } double getvalue (int rl) { return values[ rl ]; } protected: IVec rowlist, next, colind; DVec values; int rowlist_size, freelist, next_expansion; int m_status; }; //--------------------------------------------------------- RowList::RowList(int n) //--------------------------------------------------------- : rowlist_size(0), freelist(0), next_expansion(0), m_status(0) { // allocate initial rowlist structure m_status = create(n); } //--------------------------------------------------------- int RowList::create(int n) //--------------------------------------------------------- { freelist = 0; rowlist_size = 1000; next_expansion = 1000; rowlist.resize(n); // system is (n,n) next.resize (rowlist_size); // rowlist_size will grow colind.resize(rowlist_size); values.resize(rowlist_size); if (!rowlist.ok() || !next.ok() || !colind.ok() || !values.ok()) { m_status = -1; return -1; } rowlist.fill(-1); // -1 indicates: no list for row[i] for (int i=0; i<rowlist_size-1; ++i) { next[i] = i+1; } next[rowlist_size-1] = -1; return 0; } //--------------------------------------------------------- int RowList::add(int i, int j, double v) //--------------------------------------------------------- { if ( -1 == freelist ) { // expand storage for row info int inc = next_expansion, ii=0; next_expansion = (int) floor(1.25 * (double) next_expansion); int nlen = rowlist_size+inc; next.realloc(nlen); if (!next.ok()) { return -1; } colind.realloc(nlen); if (!colind.ok()) { return -1; } values.realloc(nlen); if (!values.ok()) { return -1; } freelist = rowlist_size; for (int ii=rowlist_size; ii<nlen-1; ++ii) { next[ii] = ii+1; // initialize new entries } next[ nlen-1 ] = -1; // set end marker rowlist_size = nlen; // update current size } int rl = freelist; freelist = next[ freelist ]; next [ rl ] = rowlist[ i ]; colind[ rl ] = j; values[ rl ] = v; rowlist[ i ] = rl; return 0; } /////////////////////////////////////////////////////////// // // Incomplete Cholesky factorization // // This is a left-looking column-column code using // row lists. Performs a drop-tolerance incomplete // factorization with or without diagonal modification // to maintain rowsums. // /////////////////////////////////////////////////////////// // FIXME: (2007/09/21) "modified" option not yet working // based on taucs_dccs_factor_llt //--------------------------------------------------------- CSd& CS_Cholinc ( CSd& A, double droptol, int modified ) //--------------------------------------------------------- { if (modified) { umWARNING("CS_Cholinc", "\"modified\" option not yet working"); modified = 0; } CSd *pL = new CSd("L", OBJ_temp); CSd& L = *pL; if (! (A.get_shape() & sp_SYMMETRIC)) { umWARNING("CS_Cholinc", "matrix must be symmetric"); return L; } if (! (A.get_shape() & sp_LOWER )) { umWARNING("CS_Cholinc", "tril(A) must be represented\n"); return L; } int n = A.num_cols(); umMSG(1, " ==> CS_Cholinc: n=%d droptol=%0.1e modified? %d\n", n, droptol, modified); // Avoid frequent L.realloc() with large inital alloc // TODO: tune initial allocation for incomplete factor: int Lnnz = A.size(); if (droptol>=9.9e-3) { Lnnz = 1*Lnnz; } // L.nnz = 1.0*A.nnz else if (droptol>=9.9e-4) { Lnnz = (3*Lnnz)/2; } // L.nnz = 1.5*A.nnz else if (droptol>=9.9e-5) { Lnnz = (9*Lnnz)/5; } // L.nnz = 1.8*A.nnz else if (droptol>=9.9e-6) { Lnnz = 2*Lnnz; } // L.nnz = 2.0*A.nnz else { Lnnz = (5*Lnnz)/2; } // L.nnz = 2.5*A.nnz int init_Lnnz = Lnnz; L.resize(n,n,Lnnz, 1, 0); if (!L.ok()) { return L; } // factor is lower triangular L.set_shape(sp_TRIANGULAR | sp_LOWER); int next=0, Aj_nnz, i,j,k,ip; double Lkj,pivot,v,norm; double flops = 0.0, Lj_nnz=0.0; Spa spa(n); // allocate buffer for sparse columns RowList rowlist(n); // allocate initial rowlist structure DVec dropped(n); // allocate buffer for dropped values if (!spa.ok() || !rowlist.ok() || !dropped.ok()) { umWARNING("CS_Cholinc", "out of memory"); return L; } umLOG(1, " ==> CS_Cholinc: (n=%d) ", n); for (j=0; j<n; ++j) { if (! (j%2000)) {umLOG(1, ".");} spa.set(A,j); // load colum j into the accumulation buffer for (int rl=rowlist.getfirst(j); rl != -1; rl=rowlist.getnext(rl)) { k = rowlist.getcolind(rl); Lkj = rowlist.getvalue(rl); spa.scale_add(j,L,k, -(Lkj) ); // L_*j -= L_kj * L_*k } //----------------------------------- // insert the j'th column of L //----------------------------------- if ( next+(spa.length) > Lnnz ) { int inc = std::max((int)floor(1.25*(double)Lnnz), std::max(8192, spa.length)); Lnnz += inc; if (!L.realloc(Lnnz)) { return L; } } L.P[j] = next; norm = 0.0; for (ip=0; ip < spa.length; ++ip) { i = (spa.indices)[ip]; v = (spa.values)[i]; norm += v*v; } norm = sqrt(norm); Aj_nnz = A.P[j+1] - A.P[j]; for (ip=0; ip < spa.length; ++ip) { i = (spa.indices)[ip]; v = (spa.values )[i ]; //################################################### // FIXME (a): test if L(i,j) is in pattern of A //################################################### //if (i==j || fabs(v) > droptol * norm) if (i==j || fabs(v) > droptol * norm || ip < Aj_nnz) { // nothing } else { dropped[i] -= v; dropped[j] -= v; } } if (modified) { pivot = sqrt((spa.values)[j] - dropped[j]); } else { pivot = sqrt((spa.values)[j]); } #if (TRACE_CHOL>=2) umMSG(1, "pivot=%.4e, sqrt=%.4e\n", (spa.values)[j], pivot); #endif if (0.0 == pivot) { umLOG(1, " ==> CS_Cholinc: zero pivot in column %d\n",j); umLOG(1, " ==> CS_Cholinc: Ajj in spa = %lg dropped[j] = %lg Aj_nnz=%d\n", (spa.values)[j],dropped[j],Aj_nnz); } else if (fabs(pivot) < 1e-12) { umLOG(1, " ==> CS_Cholinc: small pivot in column %d (%le)\n",j,pivot); } //----------------------------------------------------- // 1st pass: find the diagonal entry for column j then // store entry L(j,j) first in each compressed column: //----------------------------------------------------- for (ip=0; ip < spa.length; ++ip) { i = (spa.indices)[ip]; v = (spa.values )[i ]; if (i==j) { // must include diagonal entry in the droptol factor if (modified) v = (spa.values)[j] - dropped[j]; v /= pivot; L.I[next] = i; L.X[next] = v; next++; if (rowlist.add(i,j,v) == -1) { return L; } break; } } //----------------------------------------------------- // 2nd pass: build column L(:,j) applying droptol // criteria to manage fill-in below the diagonal //----------------------------------------------------- for (ip=0; ip < spa.length; ++ip) { i = (spa.indices)[ip]; v = (spa.values )[i ]; if (i==j) continue; // diagonal was set above //################################################### // FIXME (b): test if L(i,j) is in pattern of A //################################################### //if (modified && i==j) v = (spa.values)[j] - dropped[j]; if (i==j || fabs(v) > droptol*norm || ip < Aj_nnz) { // include this entry in the droptol factor v /= pivot; L.I[next] = i; L.X[next] = v; next++; if (rowlist.add(i,j,v) == -1) { return L; } } } L.P[j+1] = next; // set column count Lj_nnz = (double)(L.P[j+1]-L.P[j]); // accumulate flop count flops += 2.0 * Lj_nnz * Lj_nnz; } L.P[n] = next; // finalize column counts umLOG(1, "\n"); //umMSG(1, " ==> CS_Cholinc: nnz(L) = %d (init: %d), flops=%.1le\n", L.P[n],init_Lnnz,flops); umMSG(1, " ==> CS_Cholinc: nnz(L) = %d (init: %d)\n", L.P[n],init_Lnnz); // resize allocation L.realloc(0); return L; }
tcew/nodal-dg
nudg++/trunk/Src/Sparse/CS_Cholinc.cpp
C++
mit
11,478
/* GNU LESSER GENERAL PUBLIC LICENSE Copyright (C) 2006 The Lobo Project This library is free software; you can redistribute it and/or modify it under the terms of the GNU Lesser General Public License as published by the Free Software Foundation; either version 2.1 of the License, or (at your option) any later version. 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. See the GNU Lesser General Public License for more details. You should have received a copy of the GNU Lesser General Public License along with this library; if not, write to the Free Software Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA Contact info: lobochief@users.sourceforge.net */ package org.cobraparser.html.renderer; import java.awt.Color; import java.awt.FontMetrics; import java.awt.Graphics; import java.awt.Insets; import org.cobraparser.html.HtmlRendererContext; import org.cobraparser.html.domimpl.NodeImpl; import org.cobraparser.html.style.ListStyle; import org.cobraparser.html.style.RenderState; import org.cobraparser.ua.UserAgentContext; import org.w3c.dom.html.HTMLElement; class RListItem extends BaseRListElement { private static final int BULLET_WIDTH = 5; private static final int BULLET_HEIGHT = 5; private static final int BULLET_RMARGIN = 5; private static final int BULLET_SPACE_WIDTH = 36; public RListItem(final NodeImpl modelNode, final int listNesting, final UserAgentContext pcontext, final HtmlRendererContext rcontext, final FrameContext frameContext, final RenderableContainer parentContainer, final RCollection parent) { super(modelNode, listNesting, pcontext, rcontext, frameContext, parentContainer); // this.defaultMarginInsets = new java.awt.Insets(0, BULLET_SPACE_WIDTH, 0, // 0); } @Override public int getViewportListNesting(final int blockNesting) { return blockNesting + 1; } @Override public void invalidateLayoutLocal() { super.invalidateLayoutLocal(); this.value = null; } private static final Integer UNSET = new Integer(Integer.MIN_VALUE); private Integer value = null; private Integer getValue() { Integer value = this.value; if (value == null) { final HTMLElement node = (HTMLElement) this.modelNode; final String valueText = node == null ? null : node.getAttribute("value"); if (valueText == null) { value = UNSET; } else { try { value = Integer.valueOf(valueText); } catch (final NumberFormatException nfe) { value = UNSET; } } this.value = value; } return value; } private int count; @Override public void doLayout(final int availWidth, final int availHeight, final boolean expandWidth, final boolean expandHeight, final FloatingBoundsSource floatBoundsSource, final int defaultOverflowX, final int defaultOverflowY, final boolean sizeOnly) { super.doLayout(availWidth, availHeight, expandWidth, expandHeight, floatBoundsSource, defaultOverflowX, defaultOverflowY, sizeOnly); // Note: Count must be calculated even if layout is valid. final RenderState renderState = this.modelNode.getRenderState(); final Integer value = this.getValue(); if (value == UNSET) { this.count = renderState.incrementCount(DEFAULT_COUNTER_NAME, this.listNesting); } else { final int newCount = value.intValue(); this.count = newCount; renderState.resetCount(DEFAULT_COUNTER_NAME, this.listNesting, newCount + 1); } } @Override public void paintShifted(final Graphics g) { super.paintShifted(g); final RenderState rs = this.modelNode.getRenderState(); final Insets marginInsets = this.marginInsets; final RBlockViewport layout = this.bodyLayout; final ListStyle listStyle = this.listStyle; int bulletType = listStyle == null ? ListStyle.TYPE_UNSET : listStyle.type; if (bulletType != ListStyle.TYPE_NONE) { if (bulletType == ListStyle.TYPE_UNSET) { RCollection parent = this.getOriginalOrCurrentParent(); if (!(parent instanceof RList)) { parent = parent.getOriginalOrCurrentParent(); } if (parent instanceof RList) { final ListStyle parentListStyle = ((RList) parent).listStyle; bulletType = parentListStyle == null ? ListStyle.TYPE_DISC : parentListStyle.type; } else { bulletType = ListStyle.TYPE_DISC; } } // Paint bullets final Color prevColor = g.getColor(); g.setColor(rs.getColor()); try { final Insets insets = this.getInsets(this.hasHScrollBar, this.hasVScrollBar); final Insets paddingInsets = this.paddingInsets; final int baselineOffset = layout.getFirstBaselineOffset(); final int bulletRight = (marginInsets == null ? 0 : marginInsets.left) - BULLET_RMARGIN; final int bulletBottom = insets.top + baselineOffset + (paddingInsets == null ? 0 : paddingInsets.top); final int bulletTop = bulletBottom - BULLET_HEIGHT; final int bulletLeft = bulletRight - BULLET_WIDTH; final int bulletNumber = this.count; String numberText = null; switch (bulletType) { case ListStyle.TYPE_DECIMAL: numberText = bulletNumber + "."; break; case ListStyle.TYPE_LOWER_ALPHA: numberText = ((char) ('a' + bulletNumber)) + "."; break; case ListStyle.TYPE_UPPER_ALPHA: numberText = ((char) ('A' + bulletNumber)) + "."; break; case ListStyle.TYPE_DISC: g.fillOval(bulletLeft, bulletTop, BULLET_WIDTH, BULLET_HEIGHT); break; case ListStyle.TYPE_CIRCLE: g.drawOval(bulletLeft, bulletTop, BULLET_WIDTH, BULLET_HEIGHT); break; case ListStyle.TYPE_SQUARE: g.fillRect(bulletLeft, bulletTop, BULLET_WIDTH, BULLET_HEIGHT); break; } if (numberText != null) { final FontMetrics fm = g.getFontMetrics(); final int numberLeft = bulletRight - fm.stringWidth(numberText); final int numberY = bulletBottom; g.drawString(numberText, numberLeft, numberY); } } finally { g.setColor(prevColor); } } } }
lobobrowser/Cobra
src/main/java/org/cobraparser/html/renderer/RListItem.java
Java
mit
6,450
<?php /** * Generate product link * @param $id * @param $innerHTML * @return string */ function productToAnchor($id, $innerHTML){ $link = "/products/view/$id"; return "<a href='$link'>$innerHTML</a>"; } /** * Generate category anchor * @param $id * @param $innerHTML * @return string */ function categoryToAnchor($id, $innerHTML){ $link = "/products/search?category_id=$id"; return "<a href='$link'>$innerHTML</a>"; }
nvmanh/shopping-website-responsive-codeigniter
application/helpers/anchors_helper.php
PHP
mit
445
var scp; var cal_color; $(document).ready(function(){ scp = angular.element('.main').scope(); $("#div_point").toggle(); //Set default values cal_color = defaults.cal_color; //Setup plugins $("#cal_color").spectrum({ preferredFormat: "hex", showInput: true, color: cal_color, change: setColor, showButtons: false }); //Show modal $('.reveal-modal').css('max-height', $('html').height() - 110 + 'px'); $('#config_modal').reveal(); }); // Reset max-height after window resize $(window).resize(function() { $('.reveal-modal').css('max-height', $('html').height() - 110 + 'px'); }); function setColor(color){ //Color picker callback if(this.id === "cal_color") cal_color = color; } function setup(){ //Setup environment before start $('body').css("background-color", cal_color); //Update model $('#cal_color').trigger('input'); //Animate description and target setTimeout(function() { $("#div_text" ).fadeOut( "slow", function() { $( "#div_point" ).fadeIn( "slow", startCalibration); }); }, 2000); } function closeCallback(){ //Configuration modal close callback $(".main").css("cursor","none"); setup(); } function calibrationFinished(){ $(".main").css("cursor","pointer"); $("#text").html("Calibration completed"); $( "#div_point" ).fadeOut( "slow", function(){ $("#div_text" ).fadeIn( "slow", function() { setTimeout(function() { window.history.back(); }, 2500); }); }); } function startCalibration(){ scp.makeRequest(); }
centosGit/ICA-SVP_WebClient
app/js/partials/svp_cal.js
JavaScript
mit
1,529
package com.planmart; import java.util.ArrayList; import java.util.Date; public class Order { private Customer customer; private String shippingRegion; private PaymentMethod paymentMethod; private Date placed; private ArrayList<ProductOrder> items = new ArrayList<>(); private ArrayList<LineItem> lineItems = new ArrayList<>(); public Order(Customer customer, String shippingRegion, PaymentMethod paymentMethod, Date placed) { this.customer = customer; this.shippingRegion = shippingRegion; this.paymentMethod = paymentMethod; this.placed = placed; } /** * Gets the customer who placed the order. */ public Customer getCustomer() { return customer; } /** * Sets the customer who placed the order. */ public void setCustomer(Customer customer) { this.customer = customer; } /** * Gets two-letter region where the order should be shipped to. */ public String getShippingRegion() { return shippingRegion; } /** * Sets two-letter region where the order should be shipped to. */ public void setShippingRegion(String shippingRegion) { this.shippingRegion = shippingRegion; } /** * Gets an enum describing the method of payment for the order. */ public PaymentMethod getPaymentMethod() { return paymentMethod; } /** * Sets an enum describing the method of payment for the order. */ public void setPaymentMethod(PaymentMethod paymentMethod) { this.paymentMethod = paymentMethod; } /** * Gets the date and time in UTC when the order was placed. */ public Date getPlaced() { return placed; } /** * Sets the date and time in UTC when the order was placed. */ public void setPlaced(Date placed) { this.placed = placed; } /** * Gets a list of items representing one or more products and the quantity of each. */ public ArrayList<ProductOrder> getItems() { return items; } /** * Gets a list of line items that represent adjustments to the order by the processor (tax, shipping, etc.) */ public ArrayList<LineItem> getLineItems() { return lineItems; } }
vadadler/java
planmart/src/com/planmart/Order.java
Java
mit
2,316
using System; using System.Windows.Input; namespace AOLadderer.UI { // https://msdn.microsoft.com/en-us/magazine/dd419663.aspx public class RelayCommandParameterized<T> : ICommand { private readonly Func<T, bool> _canExecute; private readonly Action<T> _execute; public RelayCommandParameterized(Action<T> execute) : this(_ => true, execute) { } public RelayCommandParameterized(Func<T, bool> canExecute, Action<T> execute) { _canExecute = canExecute; _execute = execute; } public event EventHandler CanExecuteChanged { add { CommandManager.RequerySuggested += value; } remove { CommandManager.RequerySuggested -= value; } } public bool CanExecute(object parameter) => _canExecute((T)parameter); public void Execute(object parameter) => _execute((T)parameter); } }
davghouse/ao-ladderer
AOLadderer.UI/RelayCommandParameterized.cs
C#
mit
970
/** * @license Highstock JS v8.0.3 (2020-03-06) * @module highcharts/indicators/wma * @requires highcharts * @requires highcharts/modules/stock * * Indicator series type for Highstock * * (c) 2010-2019 Kacper Madej * * License: www.highcharts.com/license */ 'use strict'; import '../../indicators/wma.src.js';
cdnjs/cdnjs
ajax/libs/highcharts/8.0.3/es-modules/masters/indicators/wma.src.js
JavaScript
mit
321
/*! Buefy v0.8.16 | MIT License | github.com/buefy/buefy */ (function (global, factory) { typeof exports === 'object' && typeof module !== 'undefined' ? factory(exports) : typeof define === 'function' && define.amd ? define(['exports'], factory) : (global = global || self, factory(global.Navbar = {})); }(this, function (exports) { 'use strict'; function _typeof(obj) { "@babel/helpers - typeof"; if (typeof Symbol === "function" && typeof Symbol.iterator === "symbol") { _typeof = function (obj) { return typeof obj; }; } else { _typeof = function (obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; } return _typeof(obj); } function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; } // // // // // // // // // // // // // // // var script = { name: 'NavbarBurger', props: { isOpened: { type: Boolean, default: false } } }; function normalizeComponent(template, style, script, scopeId, isFunctionalTemplate, moduleIdentifier /* server only */ , shadowMode, createInjector, createInjectorSSR, createInjectorShadow) { if (typeof shadowMode !== 'boolean') { createInjectorSSR = createInjector; createInjector = shadowMode; shadowMode = false; } // Vue.extend constructor export interop. var options = typeof script === 'function' ? script.options : script; // render functions if (template && template.render) { options.render = template.render; options.staticRenderFns = template.staticRenderFns; options._compiled = true; // functional template if (isFunctionalTemplate) { options.functional = true; } } // scopedId if (scopeId) { options._scopeId = scopeId; } var hook; if (moduleIdentifier) { // server build hook = function hook(context) { // 2.3 injection context = context || // cached call this.$vnode && this.$vnode.ssrContext || // stateful this.parent && this.parent.$vnode && this.parent.$vnode.ssrContext; // functional // 2.2 with runInNewContext: true if (!context && typeof __VUE_SSR_CONTEXT__ !== 'undefined') { context = __VUE_SSR_CONTEXT__; } // inject component styles if (style) { style.call(this, createInjectorSSR(context)); } // register component module identifier for async chunk inference if (context && context._registeredComponents) { context._registeredComponents.add(moduleIdentifier); } }; // used by ssr in case component is cached and beforeCreate // never gets called options._ssrRegister = hook; } else if (style) { hook = shadowMode ? function () { style.call(this, createInjectorShadow(this.$root.$options.shadowRoot)); } : function (context) { style.call(this, createInjector(context)); }; } if (hook) { if (options.functional) { // register for functional component in vue file var originalRender = options.render; options.render = function renderWithStyleInjection(h, context) { hook.call(context); return originalRender(h, context); }; } else { // inject component registration as beforeCreate hook var existing = options.beforeCreate; options.beforeCreate = existing ? [].concat(existing, hook) : [hook]; } } return script; } var normalizeComponent_1 = normalizeComponent; /* script */ const __vue_script__ = script; /* template */ var __vue_render__ = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('a',_vm._g({staticClass:"navbar-burger burger",class:{ 'is-active': _vm.isOpened },attrs:{"role":"button","aria-label":"menu","aria-expanded":_vm.isOpened}},_vm.$listeners),[_c('span',{attrs:{"aria-hidden":"true"}}),_vm._v(" "),_c('span',{attrs:{"aria-hidden":"true"}}),_vm._v(" "),_c('span',{attrs:{"aria-hidden":"true"}})])}; var __vue_staticRenderFns__ = []; /* style */ const __vue_inject_styles__ = undefined; /* scoped */ const __vue_scope_id__ = undefined; /* module identifier */ const __vue_module_identifier__ = undefined; /* functional template */ const __vue_is_functional_template__ = false; /* style inject */ /* style inject SSR */ var NavbarBurger = normalizeComponent_1( { render: __vue_render__, staticRenderFns: __vue_staticRenderFns__ }, __vue_inject_styles__, __vue_script__, __vue_scope_id__, __vue_is_functional_template__, __vue_module_identifier__, undefined, undefined ); var isTouch = typeof window !== 'undefined' && ('ontouchstart' in window || navigator.msMaxTouchPoints > 0); var events = isTouch ? ['touchstart', 'click'] : ['click']; var instances = []; function processArgs(bindingValue) { var isFunction = typeof bindingValue === 'function'; if (!isFunction && _typeof(bindingValue) !== 'object') { throw new Error("v-click-outside: Binding value should be a function or an object, typeof ".concat(bindingValue, " given")); } return { handler: isFunction ? bindingValue : bindingValue.handler, middleware: bindingValue.middleware || function (isClickOutside) { return isClickOutside; }, events: bindingValue.events || events }; } function onEvent(_ref) { var el = _ref.el, event = _ref.event, handler = _ref.handler, middleware = _ref.middleware; var isClickOutside = event.target !== el && !el.contains(event.target); if (!isClickOutside) { return; } if (middleware(event, el)) { handler(event, el); } } function bind(el, _ref2) { var value = _ref2.value; var _processArgs = processArgs(value), _handler = _processArgs.handler, middleware = _processArgs.middleware, events = _processArgs.events; var instance = { el: el, eventHandlers: events.map(function (eventName) { return { event: eventName, handler: function handler(event) { return onEvent({ event: event, el: el, handler: _handler, middleware: middleware }); } }; }) }; instance.eventHandlers.forEach(function (_ref3) { var event = _ref3.event, handler = _ref3.handler; return document.addEventListener(event, handler); }); instances.push(instance); } function update(el, _ref4) { var value = _ref4.value; var _processArgs2 = processArgs(value), _handler2 = _processArgs2.handler, middleware = _processArgs2.middleware, events = _processArgs2.events; // `filter` instead of `find` for compat with IE var instance = instances.filter(function (instance) { return instance.el === el; })[0]; instance.eventHandlers.forEach(function (_ref5) { var event = _ref5.event, handler = _ref5.handler; return document.removeEventListener(event, handler); }); instance.eventHandlers = events.map(function (eventName) { return { event: eventName, handler: function handler(event) { return onEvent({ event: event, el: el, handler: _handler2, middleware: middleware }); } }; }); instance.eventHandlers.forEach(function (_ref6) { var event = _ref6.event, handler = _ref6.handler; return document.addEventListener(event, handler); }); } function unbind(el) { // `filter` instead of `find` for compat with IE var instance = instances.filter(function (instance) { return instance.el === el; })[0]; instance.eventHandlers.forEach(function (_ref7) { var event = _ref7.event, handler = _ref7.handler; return document.removeEventListener(event, handler); }); } var directive = { bind: bind, update: update, unbind: unbind, instances: instances }; var FIXED_TOP_CLASS = 'is-fixed-top'; var BODY_FIXED_TOP_CLASS = 'has-navbar-fixed-top'; var BODY_SPACED_FIXED_TOP_CLASS = 'has-spaced-navbar-fixed-top'; var FIXED_BOTTOM_CLASS = 'is-fixed-bottom'; var BODY_FIXED_BOTTOM_CLASS = 'has-navbar-fixed-bottom'; var BODY_SPACED_FIXED_BOTTOM_CLASS = 'has-spaced-navbar-fixed-bottom'; var isFilled = function isFilled(str) { return !!str; }; var script$1 = { name: 'BNavbar', components: { NavbarBurger: NavbarBurger }, directives: { clickOutside: directive }, props: { type: [String, Object], transparent: { type: Boolean, default: false }, fixedTop: { type: Boolean, default: false }, fixedBottom: { type: Boolean, default: false }, isActive: { type: Boolean, default: false }, wrapperClass: { type: String }, closeOnClick: { type: Boolean, default: true }, mobileBurger: { type: Boolean, default: true }, spaced: Boolean, shadow: Boolean }, data: function data() { return { internalIsActive: this.isActive, _isNavBar: true // Used internally by NavbarItem }; }, computed: { isOpened: function isOpened() { return this.internalIsActive; }, computedClasses: function computedClasses() { var _ref; return [this.type, (_ref = {}, _defineProperty(_ref, FIXED_TOP_CLASS, this.fixedTop), _defineProperty(_ref, FIXED_BOTTOM_CLASS, this.fixedBottom), _defineProperty(_ref, 'is-spaced', this.spaced), _defineProperty(_ref, 'has-shadow', this.shadow), _defineProperty(_ref, 'is-transparent', this.transparent), _ref)]; } }, watch: { isActive: { handler: function handler(isActive) { this.internalIsActive = isActive; }, immediate: true }, fixedTop: { handler: function handler(isSet) { this.checkIfFixedPropertiesAreColliding(); if (isSet) { // TODO Apply only one of the classes once PR is merged in Bulma: // https://github.com/jgthms/bulma/pull/2737 this.setBodyClass(BODY_FIXED_TOP_CLASS); this.spaced && this.setBodyClass(BODY_SPACED_FIXED_TOP_CLASS); } else { this.removeBodyClass(BODY_FIXED_TOP_CLASS); this.removeBodyClass(BODY_SPACED_FIXED_TOP_CLASS); } }, immediate: true }, fixedBottom: { handler: function handler(isSet) { this.checkIfFixedPropertiesAreColliding(); if (isSet) { // TODO Apply only one of the classes once PR is merged in Bulma: // https://github.com/jgthms/bulma/pull/2737 this.setBodyClass(BODY_FIXED_BOTTOM_CLASS); this.spaced && this.setBodyClass(BODY_SPACED_FIXED_BOTTOM_CLASS); } else { this.removeBodyClass(BODY_FIXED_BOTTOM_CLASS); this.removeBodyClass(BODY_SPACED_FIXED_BOTTOM_CLASS); } }, immediate: true } }, methods: { toggleActive: function toggleActive() { this.internalIsActive = !this.internalIsActive; this.emitUpdateParentEvent(); }, closeMenu: function closeMenu() { if (this.closeOnClick) { this.internalIsActive = false; this.emitUpdateParentEvent(); } }, emitUpdateParentEvent: function emitUpdateParentEvent() { this.$emit('update:isActive', this.internalIsActive); }, setBodyClass: function setBodyClass(className) { if (typeof window !== 'undefined') { document.body.classList.add(className); } }, removeBodyClass: function removeBodyClass(className) { if (typeof window !== 'undefined') { document.body.classList.remove(className); } }, checkIfFixedPropertiesAreColliding: function checkIfFixedPropertiesAreColliding() { var areColliding = this.fixedTop && this.fixedBottom; if (areColliding) { throw new Error('You should choose if the BNavbar is fixed bottom or fixed top, but not both'); } }, genNavbar: function genNavbar(createElement) { var navBarSlots = [this.genNavbarBrandNode(createElement), this.genNavbarSlotsNode(createElement)]; if (!isFilled(this.wrapperClass)) { return this.genNavbarSlots(createElement, navBarSlots); } // It wraps the slots into a div with the provided wrapperClass prop var navWrapper = createElement('div', { class: this.wrapperClass }, navBarSlots); return this.genNavbarSlots(createElement, [navWrapper]); }, genNavbarSlots: function genNavbarSlots(createElement, slots) { return createElement('nav', { staticClass: 'navbar', class: this.computedClasses, attrs: { role: 'navigation', 'aria-label': 'main navigation' }, directives: [{ name: 'click-outside', value: this.closeMenu }] }, slots); }, genNavbarBrandNode: function genNavbarBrandNode(createElement) { return createElement('div', { class: 'navbar-brand' }, [this.$slots.brand, this.genBurgerNode(createElement)]); }, genBurgerNode: function genBurgerNode(createElement) { if (this.mobileBurger) { var defaultBurgerNode = createElement('navbar-burger', { props: { isOpened: this.isOpened }, on: { click: this.toggleActive } }); var hasBurgerSlot = !!this.$scopedSlots.burger; return hasBurgerSlot ? this.$scopedSlots.burger({ isOpened: this.isOpened, toggleActive: this.toggleActive }) : defaultBurgerNode; } }, genNavbarSlotsNode: function genNavbarSlotsNode(createElement) { return createElement('div', { staticClass: 'navbar-menu', class: { 'is-active': this.isOpened } }, [this.genMenuPosition(createElement, 'start'), this.genMenuPosition(createElement, 'end')]); }, genMenuPosition: function genMenuPosition(createElement, positionName) { return createElement('div', { staticClass: "navbar-".concat(positionName) }, this.$slots[positionName]); } }, beforeDestroy: function beforeDestroy() { if (this.fixedTop) { var className = this.spaced ? BODY_SPACED_FIXED_TOP_CLASS : BODY_FIXED_TOP_CLASS; this.removeBodyClass(className); } else if (this.fixedBottom) { var _className = this.spaced ? BODY_SPACED_FIXED_BOTTOM_CLASS : BODY_FIXED_BOTTOM_CLASS; this.removeBodyClass(_className); } }, render: function render(createElement, fn) { return this.genNavbar(createElement); } }; /* script */ const __vue_script__$1 = script$1; /* template */ /* style */ const __vue_inject_styles__$1 = undefined; /* scoped */ const __vue_scope_id__$1 = undefined; /* module identifier */ const __vue_module_identifier__$1 = undefined; /* functional template */ const __vue_is_functional_template__$1 = undefined; /* style inject */ /* style inject SSR */ var Navbar = normalizeComponent_1( {}, __vue_inject_styles__$1, __vue_script__$1, __vue_scope_id__$1, __vue_is_functional_template__$1, __vue_module_identifier__$1, undefined, undefined ); // // // // // // // // // // // // // var clickableWhiteList = ['div', 'span']; var script$2 = { name: 'BNavbarItem', inheritAttrs: false, props: { tag: { type: String, default: 'a' }, active: Boolean }, methods: { /** * Keypress event that is bound to the document */ keyPress: function keyPress(event) { // Esc key // TODO: use code instead (because keyCode is actually deprecated) // https://developer.mozilla.org/en-US/docs/Web/API/KeyboardEvent/keyCode if (event.keyCode === 27) { this.closeMenuRecursive(this, ['NavBar']); } }, /** * Close parent if clicked outside. */ handleClickEvent: function handleClickEvent(event) { var isOnWhiteList = clickableWhiteList.some(function (item) { return item === event.target.localName; }); if (!isOnWhiteList) { var parent = this.closeMenuRecursive(this, ['NavbarDropdown', 'NavBar']); if (parent.$data._isNavbarDropdown) this.closeMenuRecursive(parent, ['NavBar']); } }, /** * Close parent recursively */ closeMenuRecursive: function closeMenuRecursive(current, targetComponents) { if (!current.$parent) return null; var foundItem = targetComponents.reduce(function (acc, item) { if (current.$parent.$data["_is".concat(item)]) { current.$parent.closeMenu(); return current.$parent; } return acc; }, null); return foundItem || this.closeMenuRecursive(current.$parent, targetComponents); } }, mounted: function mounted() { if (typeof window !== 'undefined') { this.$el.addEventListener('click', this.handleClickEvent); document.addEventListener('keyup', this.keyPress); } }, beforeDestroy: function beforeDestroy() { if (typeof window !== 'undefined') { this.$el.removeEventListener('click', this.handleClickEvent); document.removeEventListener('keyup', this.keyPress); } } }; /* script */ const __vue_script__$2 = script$2; /* template */ var __vue_render__$1 = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c(_vm.tag,_vm._g(_vm._b({tag:"component",staticClass:"navbar-item",class:{ 'is-active': _vm.active }},'component',_vm.$attrs,false),_vm.$listeners),[_vm._t("default")],2)}; var __vue_staticRenderFns__$1 = []; /* style */ const __vue_inject_styles__$2 = undefined; /* scoped */ const __vue_scope_id__$2 = undefined; /* module identifier */ const __vue_module_identifier__$2 = undefined; /* functional template */ const __vue_is_functional_template__$2 = false; /* style inject */ /* style inject SSR */ var NavbarItem = normalizeComponent_1( { render: __vue_render__$1, staticRenderFns: __vue_staticRenderFns__$1 }, __vue_inject_styles__$2, __vue_script__$2, __vue_scope_id__$2, __vue_is_functional_template__$2, __vue_module_identifier__$2, undefined, undefined ); // var script$3 = { name: 'BNavbarDropdown', directives: { clickOutside: directive }, props: { label: String, hoverable: Boolean, active: Boolean, right: Boolean, arrowless: Boolean, boxed: Boolean, closeOnClick: { type: Boolean, default: true }, collapsible: Boolean }, data: function data() { return { newActive: this.active, isHoverable: this.hoverable, _isNavbarDropdown: true // Used internally by NavbarItem }; }, watch: { active: function active(value) { this.newActive = value; } }, methods: { showMenu: function showMenu() { this.newActive = true; }, /** * See naming convetion of navbaritem */ closeMenu: function closeMenu() { this.newActive = !this.closeOnClick; if (this.hoverable && this.closeOnClick) { this.isHoverable = false; } }, checkHoverable: function checkHoverable() { if (this.hoverable) { this.isHoverable = true; } } } }; /* script */ const __vue_script__$3 = script$3; /* template */ var __vue_render__$2 = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{directives:[{name:"click-outside",rawName:"v-click-outside",value:(_vm.closeMenu),expression:"closeMenu"}],staticClass:"navbar-item has-dropdown",class:{ 'is-hoverable': _vm.isHoverable, 'is-active': _vm.newActive },on:{"mouseenter":_vm.checkHoverable}},[_c('a',{staticClass:"navbar-link",class:{ 'is-arrowless': _vm.arrowless, 'is-active': _vm.newActive && _vm.collapsible },attrs:{"role":"menuitem","aria-haspopup":"true","href":"#"},on:{"click":function($event){$event.preventDefault();_vm.newActive = !_vm.newActive;}}},[(_vm.label)?[_vm._v(_vm._s(_vm.label))]:_vm._t("label")],2),_vm._v(" "),_c('div',{directives:[{name:"show",rawName:"v-show",value:(!_vm.collapsible || (_vm.collapsible && _vm.newActive)),expression:"!collapsible || (collapsible && newActive)"}],staticClass:"navbar-dropdown",class:{ 'is-right': _vm.right, 'is-boxed': _vm.boxed, }},[_vm._t("default")],2)])}; var __vue_staticRenderFns__$2 = []; /* style */ const __vue_inject_styles__$3 = undefined; /* scoped */ const __vue_scope_id__$3 = undefined; /* module identifier */ const __vue_module_identifier__$3 = undefined; /* functional template */ const __vue_is_functional_template__$3 = false; /* style inject */ /* style inject SSR */ var NavbarDropdown = normalizeComponent_1( { render: __vue_render__$2, staticRenderFns: __vue_staticRenderFns__$2 }, __vue_inject_styles__$3, __vue_script__$3, __vue_scope_id__$3, __vue_is_functional_template__$3, __vue_module_identifier__$3, undefined, undefined ); var use = function use(plugin) { if (typeof window !== 'undefined' && window.Vue) { window.Vue.use(plugin); } }; var registerComponent = function registerComponent(Vue, component) { Vue.component(component.name, component); }; var Plugin = { install: function install(Vue) { registerComponent(Vue, Navbar); registerComponent(Vue, NavbarItem); registerComponent(Vue, NavbarDropdown); } }; use(Plugin); exports.BNavbar = Navbar; exports.BNavbarDropdown = NavbarDropdown; exports.BNavbarItem = NavbarItem; exports.default = Plugin; Object.defineProperty(exports, '__esModule', { value: true }); }));
cdnjs/cdnjs
ajax/libs/buefy/0.8.16/components/navbar/index.js
JavaScript
mit
23,396
/*! * froala_editor v4.0.1 (https://www.froala.com/wysiwyg-editor) * License https://froala.com/wysiwyg-editor/terms/ * Copyright 2014-2021 Froala Labs */ (function (global, factory) { typeof exports === 'object' && typeof module !== 'undefined' ? factory(require('froala-editor')) : typeof define === 'function' && define.amd ? define(['froala-editor'], factory) : (factory(global.FroalaEditor)); }(this, (function (FE) { 'use strict'; FE = FE && FE.hasOwnProperty('default') ? FE['default'] : FE; /** * Hungarian */ FE.LANGUAGE['hu'] = { translation: { // Place holder 'Type something': 'Szöveg...', // Basic formatting 'Bold': 'Félkövér', 'Italic': 'Dőlt', 'Underline': 'Aláhúzott', 'Strikethrough': 'Áthúzott', // Main buttons 'Insert': 'Beillesztés', 'Delete': 'Törlés', 'Cancel': 'Mégse', 'OK': 'Rendben', 'Back': 'Vissza', 'Remove': 'Eltávolítás', 'More': 'Több', 'Update': 'Frissítés', 'Style': 'Stílus', // Font 'Font Family': 'Betűtípus', 'Font Size': 'Betűméret', // Colors 'Colors': 'Színek', 'Background': 'Háttér', 'Text': 'Szöveg', 'HEX Color': 'HEX színkód', // Paragraphs 'Paragraph Format': 'Formátumok', 'Normal': 'Normál', 'Code': 'Kód', 'Heading 1': 'Címsor 1', 'Heading 2': 'Címsor 2', 'Heading 3': 'Címsor 3', 'Heading 4': 'Címsor 4', // Style 'Paragraph Style': 'Bekezdés stílusa', 'Inline Style': ' Helyi stílus', // Alignment 'Align': 'Igazítás', 'Align Left': 'Balra igazít', 'Align Center': 'Középre zár', 'Align Right': 'Jobbra igazít', 'Align Justify': 'Sorkizárás', 'None': 'Egyik sem', // Lists 'Ordered List': 'Számozás', 'Default': 'Alapértelmezett', 'Lower Alpha': 'Alacsonyabb alfa', 'Lower Greek': 'Alsó görög', 'Lower Roman': 'Alacsonyabb római', 'Upper Alpha': 'Felső alfa', 'Upper Roman': 'Felső római', 'Unordered List': 'Felsorolás', 'Circle': 'Kör', 'Disc': 'Lemez', 'Square': 'Négyzet', // Line height 'Line Height': 'Vonal magassága', 'Single': 'Egyetlen', 'Double': 'Kettős', // Indent 'Decrease Indent': 'Behúzás csökkentése', 'Increase Indent': 'Behúzás növelése', // Links 'Insert Link': 'Hivatkozás beillesztése', 'Open in new tab': 'Megnyitás új lapon', 'Open Link': 'Hivatkozás megnyitása', 'Edit Link': 'Hivatkozás szerkesztése', 'Unlink': 'Hivatkozás törlése', 'Choose Link': 'Keresés a lapok között', // Images 'Insert Image': 'Kép beillesztése', 'Upload Image': 'Kép feltöltése', 'By URL': 'Webcím megadása', 'Browse': 'Böngészés', 'Drop image': 'Húzza ide a képet', 'or click': 'vagy kattintson ide', 'Manage Images': 'Képek kezelése', 'Loading': 'Betöltés...', 'Deleting': 'Törlés...', 'Tags': 'Címkék', 'Are you sure? Image will be deleted.': 'Biztos benne? A kép törlésre kerül.', 'Replace': 'Csere', 'Uploading': 'Feltöltés', 'Loading image': 'Kép betöltése', 'Display': 'Kijelző', 'Inline': 'Sorban', 'Break Text': 'Szöveg törése', 'Alternative Text': 'Alternatív szöveg', 'Change Size': 'Méret módosítása', 'Width': 'Szélesség', 'Height': 'Magasság', 'Something went wrong. Please try again.': 'Valami elromlott. Kérjük próbálja újra.', 'Image Caption': 'Képaláírás', 'Advanced Edit': 'Fejlett szerkesztés', // Video 'Insert Video': 'Videó beillesztése', 'Embedded Code': 'Kód bemásolása', 'Paste in a video URL': 'Illessze be a videó webcímét', 'Drop video': 'Húzza ide a videót', 'Your browser does not support HTML5 video.': 'A böngészője nem támogatja a HTML5 videót.', 'Upload Video': 'Videó feltöltése', // Tables 'Insert Table': 'Táblázat beillesztése', 'Table Header': 'Táblázat fejléce', 'Remove Table': 'Tábla eltávolítása', 'Table Style': 'Táblázat stílusa', 'Horizontal Align': 'Vízszintes igazítás', 'Row': 'Sor', 'Insert row above': 'Sor beszúrása elé', 'Insert row below': 'Sor beszúrása mögé', 'Delete row': 'Sor törlése', 'Column': 'Oszlop', 'Insert column before': 'Oszlop beszúrása elé', 'Insert column after': 'Oszlop beszúrása mögé', 'Delete column': 'Oszlop törlése', 'Cell': 'Cella', 'Merge cells': 'Cellák egyesítése', 'Horizontal split': 'Vízszintes osztott', 'Vertical split': 'Függőleges osztott', 'Cell Background': 'Cella háttere', 'Vertical Align': 'Függőleges igazítás', 'Top': 'Felső', 'Middle': 'Középső', 'Bottom': 'Alsó', 'Align Top': 'Igazítsa felülre', 'Align Middle': 'Igazítsa középre', 'Align Bottom': 'Igazítsa alúlra', 'Cell Style': 'Cella stílusa', // Files 'Upload File': 'Fájl feltöltése', 'Drop file': 'Húzza ide a fájlt', // Emoticons 'Emoticons': 'Hangulatjelek', 'Grinning face': 'Vigyorgó arc', 'Grinning face with smiling eyes': 'Vigyorgó arc mosolygó szemekkel', 'Face with tears of joy': 'Arcon az öröm könnyei', 'Smiling face with open mouth': 'Mosolygó arc tátott szájjal', 'Smiling face with open mouth and smiling eyes': 'Mosolygó arc tátott szájjal és mosolygó szemek', 'Smiling face with open mouth and cold sweat': 'Mosolygó arc tátott szájjal és hideg veríték', 'Smiling face with open mouth and tightly-closed eyes': 'Mosolygó arc tátott szájjal és lehunyt szemmel', 'Smiling face with halo': 'Mosolygó arc dicsfényben', 'Smiling face with horns': 'Mosolygó arc szarvakkal', 'Winking face': 'Kacsintós arc', 'Smiling face with smiling eyes': 'Mosolygó arc mosolygó szemekkel', 'Face savoring delicious food': 'Ízletes ételek kóstolása', 'Relieved face': 'Megkönnyebbült arc', 'Smiling face with heart-shaped eyes': 'Mosolygó arc szív alakú szemekkel', 'Smilin g face with sunglasses': 'Mosolygó arc napszemüvegben', 'Smirking face': 'Vigyorgó arc', 'Neutral face': 'Semleges arc', 'Expressionless face': 'Kifejezéstelen arc', 'Unamused face': 'Unott arc', 'Face with cold sweat': 'Arcán hideg verejtékkel', 'Pensive face': 'Töprengő arc', 'Confused face': 'Zavaros arc', 'Confounded face': 'Rácáfolt arc', 'Kissing face': 'Csókos arc', 'Face throwing a kiss': 'Arcra dobott egy csókot', 'Kissing face with smiling eyes': 'Csókos arcán mosolygó szemek', 'Kissing face with closed eyes': 'Csókos arcán csukott szemmel', 'Face with stuck out tongue': 'Kinyújototta a nyelvét', 'Face with stuck out tongue and winking eye': 'Kinyújtotta a nyelvét és kacsintó szem', 'Face with stuck out tongue and tightly-closed eyes': 'Kinyújtotta a nyelvét és szorosan lehunyt szemmel', 'Disappointed face': 'Csalódott arc', 'Worried face': 'Aggódó arc', 'Angry face': 'Dühös arc', 'Pouting face': 'Duzzogó arc', 'Crying face': 'Síró arc', 'Persevering face': 'Kitartó arc', 'Face with look of triumph': 'Arcát diadalmas pillantást', 'Disappointed but relieved face': 'Csalódott, de megkönnyebbült arc', 'Frowning face with open mouth': 'Komor arc tátott szájjal', 'Anguished face': 'Gyötrődő arc', 'Fearful face': 'Félelmetes arc', 'Weary face': 'Fáradt arc', 'Sleepy face': 'Álmos arc', 'Tired face': 'Fáradt arc', 'Grimacing face': 'Elfintorodott arc', 'Loudly crying face': 'Hangosan síró arc', 'Face with open mouth': 'Arc nyitott szájjal', 'Hushed face': 'Csitított arc', 'Face with open mouth and cold sweat': 'Arc tátott szájjal és hideg veríték', 'Face screaming in fear': 'Sikoltozó arc a félelemtől', 'Astonished face': 'Meglepett arc', 'Flushed face': 'Kipirult arc', 'Sleeping face': 'Alvó arc', 'Dizzy face': ' Szádülő arc', 'Face without mouth': 'Arc nélküli száj', 'Face with medical mask': 'Arcán orvosi maszk', // Line breaker 'Break': 'Törés', // Math 'Subscript': 'Alsó index', 'Superscript': 'Felső index', // Full screen 'Fullscreen': 'Teljes képernyő', // Horizontal line 'Insert Horizontal Line': 'Vízszintes vonal', // Clear formatting 'Clear Formatting': 'Formázás eltávolítása', // Save 'Save': 'Mentés', // Undo, redo 'Undo': 'Visszavonás', 'Redo': 'Ismét', // Select all 'Select All': 'Minden kijelölése', // Code view 'Code View': 'Forráskód', // Quote 'Quote': 'Idézet', 'Increase': 'Növelés', 'Decrease': 'Csökkentés', // Quick Insert 'Quick Insert': 'Beillesztés', // Spcial Characters 'Special Characters': 'Speciális karakterek', 'Latin': 'Latin', 'Greek': 'Görög', 'Cyrillic': 'Cirill', 'Punctuation': 'Központozás', 'Currency': 'Valuta', 'Arrows': 'Nyilak', 'Math': 'Matematikai', 'Misc': 'Egyéb', // Print 'Print': 'Nyomtatás', // Spell Checker 'Spell Checker': 'Helyesírás-ellenőrző', // Help 'Help': 'Segítség', 'Shortcuts': 'Hivatkozások', 'Inline Editor': 'Inline szerkesztő', 'Show the editor': 'Mutassa a szerkesztőt', 'Common actions': 'Közös cselekvések', 'Copy': 'Másolás', 'Cut': 'Kivágás', 'Paste': 'Beillesztés', 'Basic Formatting': 'Alap formázás', 'Increase quote level': 'Növeli az idézet behúzását', 'Decrease quote level': 'Csökkenti az idézet behúzását', 'Image / Video': 'Kép / videó', 'Resize larger': 'Méretezés nagyobbra', 'Resize smaller': 'Méretezés kisebbre', 'Table': 'Asztal', 'Select table cell': 'Válasszon táblázat cellát', 'Extend selection one cell': 'Növelje meg egy sorral', 'Extend selection one row': 'Csökkentse egy sorral', 'Navigation': 'Navigáció', 'Focus popup / toolbar': 'Felugró ablak / eszköztár', 'Return focus to previous position': 'Visszaáll az előző pozícióra', // Embed.ly 'Embed URL': 'Beágyazott webcím', 'Paste in a URL to embed': 'Beilleszteni egy webcímet a beágyazáshoz', // Word Paste 'The pasted content is coming from a Microsoft Word document. Do you want to keep the format or clean it up?': 'A beillesztett tartalom egy Microsoft Word dokumentumból származik. Szeretné megtartani a formázását vagy sem?', 'Keep': 'Megtartás', 'Clean': 'Tisztítás', 'Word Paste Detected': 'Word beillesztés észlelhető' }, direction: 'ltr' }; }))); //# sourceMappingURL=hu.js.map
cdnjs/cdnjs
ajax/libs/froala-editor/4.0.1/js/languages/hu.js
JavaScript
mit
11,390
/*! * froala_editor v3.1.1 (https://www.froala.com/wysiwyg-editor) * License https://froala.com/wysiwyg-editor/terms/ * Copyright 2014-2020 Froala Labs */ (function (global, factory) { typeof exports === 'object' && typeof module !== 'undefined' ? factory(require('froala-editor')) : typeof define === 'function' && define.amd ? define(['froala-editor'], factory) : (factory(global.FroalaEditor)); }(this, (function (FE) { 'use strict'; FE = FE && FE.hasOwnProperty('default') ? FE['default'] : FE; /** * Arabic */ FE.LANGUAGE['ar'] = { translation: { // Place holder 'Type something': "\u0627\u0643\u062A\u0628 \u0634\u064A\u0626\u0627", // Basic formatting 'Bold': "\u063A\u0627\u0645\u0642", 'Italic': "\u0645\u0627\u0626\u0644", 'Underline': "\u062A\u0633\u0637\u064A\u0631", 'Strikethrough': "\u064A\u062A\u0648\u0633\u0637 \u062E\u0637", // Main buttons 'Insert': "\u0625\u062F\u0631\u0627\u062C", 'Delete': "\u062D\u0630\u0641", 'Cancel': "\u0625\u0644\u063A\u0627\u0621", 'OK': "\u0645\u0648\u0627\u0641\u0642", 'Back': "\u0638\u0647\u0631", 'Remove': "\u0625\u0632\u0627\u0644\u0629", 'More': "\u0623\u0643\u062B\u0631", 'Update': "\u0627\u0644\u062A\u062D\u062F\u064A\u062B", 'Style': "\u0623\u0633\u0644\u0648\u0628", // Font 'Font Family': "\u0639\u0627\u0626\u0644\u0629 \u0627\u0644\u062E\u0637", 'Font Size': "\u062D\u062C\u0645 \u0627\u0644\u062E\u0637", // Colors 'Colors': "\u0627\u0644\u0623\u0644\u0648\u0627\u0646", 'Background': "\u0627\u0644\u062E\u0644\u0641\u064A\u0629", 'Text': "\u0627\u0644\u0646\u0635", 'HEX Color': 'عرافة اللون', // Paragraphs 'Paragraph Format': "\u062A\u0646\u0633\u064A\u0642 \u0627\u0644\u0641\u0642\u0631\u0629", 'Normal': "\u0637\u0628\u064A\u0639\u064A", 'Code': "\u0643\u0648\u062F", 'Heading 1': "\u0627\u0644\u0639\u0646\u0627\u0648\u064A\u0646 1", 'Heading 2': "\u0627\u0644\u0639\u0646\u0627\u0648\u064A\u0646 2", 'Heading 3': "\u0627\u0644\u0639\u0646\u0627\u0648\u064A\u0646 3", 'Heading 4': "\u0627\u0644\u0639\u0646\u0627\u0648\u064A\u0646 4", // Style 'Paragraph Style': "\u0646\u0645\u0637 \u0627\u0644\u0641\u0642\u0631\u0629", 'Inline Style': "\u0627\u0644\u0646\u0645\u0637 \u0627\u0644\u0645\u0636\u0645\u0646", // Alignment 'Align': "\u0645\u062D\u0627\u0630\u0627\u0629", 'Align Left': "\u0645\u062D\u0627\u0630\u0627\u0629 \u0627\u0644\u0646\u0635 \u0644\u0644\u064A\u0633\u0627\u0631", 'Align Center': "\u062A\u0648\u0633\u064A\u0637", 'Align Right': "\u0645\u062D\u0627\u0630\u0627\u0629 \u0627\u0644\u0646\u0635 \u0644\u0644\u064A\u0645\u064A\u0646", 'Align Justify': "\u0636\u0628\u0637", 'None': "\u0644\u0627 \u0634\u064A\u0621", // Lists 'Ordered List': "\u0642\u0627\u0626\u0645\u0629 \u0645\u0631\u062A\u0628\u0629", 'Default': 'الافتراضي', 'Lower Alpha': 'أقل ألفا', 'Lower Greek': 'أقل اليونانية', 'Lower Roman': 'انخفاض الروماني', 'Upper Alpha': 'العلوي ألفا', 'Upper Roman': 'الروماني العلوي', 'Unordered List': "\u0642\u0627\u0626\u0645\u0629 \u063A\u064A\u0631 \u0645\u0631\u062A\u0628\u0629", 'Circle': 'دائرة', 'Disc': 'القرص', 'Square': 'ميدان', // Line height 'Line Height': 'ارتفاع خط', 'Single': 'غير مرتبطة', 'Double': 'مزدوج', // Indent 'Decrease Indent': "\u0627\u0646\u062E\u0641\u0627\u0636 \u0627\u0644\u0645\u0633\u0627\u0641\u0629 \u0627\u0644\u0628\u0627\u062F\u0626\u0629", 'Increase Indent': "\u0632\u064A\u0627\u062F\u0629 \u0627\u0644\u0645\u0633\u0627\u0641\u0629 \u0627\u0644\u0628\u0627\u062F\u0626\u0629", // Links 'Insert Link': "\u0625\u062F\u0631\u0627\u062C \u0631\u0627\u0628\u0637", 'Open in new tab': "\u0641\u062A\u062D \u0641\u064A \u0639\u0644\u0627\u0645\u0629 \u062A\u0628\u0648\u064A\u0628 \u062C\u062F\u064A\u062F\u0629", 'Open Link': "\u0627\u0641\u062A\u062D \u0627\u0644\u0631\u0627\u0628\u0637", 'Edit Link': "\u0627\u0631\u062A\u0628\u0627\u0637 \u062A\u062D\u0631\u064A\u0631", 'Unlink': "\u062D\u0630\u0641 \u0627\u0644\u0631\u0627\u0628\u0637", 'Choose Link': "\u0627\u062E\u062A\u064A\u0627\u0631 \u0635\u0644\u0629", // Images 'Insert Image': "\u0625\u062F\u0631\u0627\u062C \u0635\u0648\u0631\u0629", 'Upload Image': "\u062A\u062D\u0645\u064A\u0644 \u0635\u0648\u0631\u0629", 'By URL': "\u0628\u0648\u0627\u0633\u0637\u0629 URL", 'Browse': "\u062A\u0635\u0641\u062D", 'Drop image': "\u0625\u0633\u0642\u0627\u0637 \u0635\u0648\u0631\u0629", 'or click': "\u0623\u0648 \u0627\u0646\u0642\u0631 \u0641\u0648\u0642", 'Manage Images': "\u0625\u062F\u0627\u0631\u0629 \u0627\u0644\u0635\u0648\u0631", 'Loading': "\u062A\u062D\u0645\u064A\u0644", 'Deleting': "\u062D\u0630\u0641", 'Tags': "\u0627\u0644\u0643\u0644\u0645\u0627\u062A", 'Are you sure? Image will be deleted.': "\u0647\u0644 \u0623\u0646\u062A \u0645\u062A\u0623\u0643\u062F\u061F \u0633\u064A\u062A\u0645 \u062D\u0630\u0641 \u0627\u0644\u0635\u0648\u0631\u0629.", 'Replace': "\u0627\u0633\u062A\u0628\u062F\u0627\u0644", 'Uploading': "\u062A\u062D\u0645\u064A\u0644", 'Loading image': "\u0635\u0648\u0631\u0629 \u062A\u062D\u0645\u064A\u0644", 'Display': "\u0639\u0631\u0636", 'Inline': "\u0641\u064A \u062E\u0637", 'Break Text': "\u0646\u0635 \u0627\u0633\u062A\u0631\u0627\u062D\u0629", 'Alternative Text': "\u0646\u0635 \u0628\u062F\u064A\u0644", 'Change Size': "\u062A\u063A\u064A\u064A\u0631 \u062D\u062C\u0645", 'Width': "\u0639\u0631\u0636", 'Height': "\u0627\u0631\u062A\u0641\u0627\u0639", 'Something went wrong. Please try again.': ".\u062D\u062F\u062B \u062E\u0637\u0623 \u0645\u0627. \u062D\u0627\u0648\u0644 \u0645\u0631\u0629 \u0627\u062E\u0631\u0649", 'Image Caption': 'تعليق على الصورة', 'Advanced Edit': 'تعديل متقدم', // Video 'Insert Video': "\u0625\u062F\u0631\u0627\u062C \u0641\u064A\u062F\u064A\u0648", 'Embedded Code': "\u0627\u0644\u062A\u0639\u0644\u064A\u0645\u0627\u062A \u0627\u0644\u0628\u0631\u0645\u062C\u064A\u0629 \u0627\u0644\u0645\u0636\u0645\u0646\u0629", 'Paste in a video URL': 'لصق في عنوان ورل للفيديو', 'Drop video': 'انخفاض الفيديو', 'Your browser does not support HTML5 video.': 'متصفحك لا يدعم فيديو HTML5.', 'Upload Video': 'رفع فيديو', // Tables 'Insert Table': "\u0625\u062F\u0631\u0627\u062C \u062C\u062F\u0648\u0644", 'Table Header': "\u0631\u0623\u0633 \u0627\u0644\u062C\u062F\u0648\u0644", 'Remove Table': "\u0625\u0632\u0627\u0644\u0629 \u0627\u0644\u062C\u062F\u0648\u0644", 'Table Style': "\u0646\u0645\u0637 \u0627\u0644\u062C\u062F\u0648\u0644", 'Horizontal Align': "\u0645\u062D\u0627\u0630\u0627\u0629 \u0623\u0641\u0642\u064A\u0629", 'Row': "\u0635\u0641", 'Insert row above': "\u0625\u062F\u0631\u0627\u062C \u0635\u0641 \u0644\u0644\u0623\u0639\u0644\u0649", 'Insert row below': "\u0625\u062F\u0631\u0627\u062C \u0635\u0641 \u0644\u0644\u0623\u0633\u0641\u0644", 'Delete row': "\u062D\u0630\u0641 \u0635\u0641", 'Column': "\u0639\u0645\u0648\u062F", 'Insert column before': "\u0625\u062F\u0631\u0627\u062C \u0639\u0645\u0648\u062F \u0644\u0644\u064A\u0633\u0627\u0631", 'Insert column after': "\u0625\u062F\u0631\u0627\u062C \u0639\u0645\u0648\u062F \u0644\u0644\u064A\u0645\u064A\u0646", 'Delete column': "\u062D\u0630\u0641 \u0639\u0645\u0648\u062F", 'Cell': "\u062E\u0644\u064A\u0629", 'Merge cells': "\u062F\u0645\u062C \u062E\u0644\u0627\u064A\u0627", 'Horizontal split': "\u0627\u0646\u0642\u0633\u0627\u0645 \u0623\u0641\u0642\u064A", 'Vertical split': "\u0627\u0644\u0627\u0646\u0642\u0633\u0627\u0645 \u0627\u0644\u0639\u0645\u0648\u062F\u064A", 'Cell Background': "\u062E\u0644\u0641\u064A\u0629 \u0627\u0644\u062E\u0644\u064A\u0629", 'Vertical Align': "\u0645\u062D\u0627\u0630\u0627\u0629 \u0639\u0645\u0648\u062F\u064A\u0629", 'Top': "\u0623\u0639\u0644\u0649", 'Middle': "\u0648\u0633\u0637", 'Bottom': "\u0623\u0633\u0641\u0644", 'Align Top': "\u0645\u062D\u0627\u0630\u0627\u0629 \u0623\u0639\u0644\u0649", 'Align Middle': "\u0645\u062D\u0627\u0630\u0627\u0629 \u0648\u0633\u0637", 'Align Bottom': "\u0645\u062D\u0627\u0630\u0627\u0629 \u0627\u0644\u0623\u0633\u0641\u0644", 'Cell Style': "\u0646\u0645\u0637 \u0627\u0644\u062E\u0644\u064A\u0629", // Files 'Upload File': "\u062A\u062D\u0645\u064A\u0644 \u0627\u0644\u0645\u0644\u0641", 'Drop file': "\u0627\u0646\u062E\u0641\u0627\u0636 \u0627\u0644\u0645\u0644\u0641", // Emoticons 'Emoticons': "\u0627\u0644\u0645\u0634\u0627\u0639\u0631", 'Grinning face': "\u064A\u0643\u0634\u0631 \u0648\u062C\u0647\u0647", 'Grinning face with smiling eyes': "\u0645\u0628\u062A\u0633\u0645\u0627 \u0648\u062C\u0647 \u0645\u0639 \u064A\u0628\u062A\u0633\u0645 \u0627\u0644\u0639\u064A\u0646", 'Face with tears of joy': "\u0648\u062C\u0647 \u0645\u0639 \u062F\u0645\u0648\u0639 \u0627\u0644\u0641\u0631\u062D", 'Smiling face with open mouth': "\u0627\u0644\u0648\u062C\u0647 \u0627\u0644\u0645\u0628\u062A\u0633\u0645 \u0645\u0639 \u0641\u062A\u062D \u0627\u0644\u0641\u0645", 'Smiling face with open mouth and smiling eyes': "\u0627\u0644\u0648\u062C\u0647 \u0627\u0644\u0645\u0628\u062A\u0633\u0645 \u0645\u0639 \u0641\u062A\u062D \u0627\u0644\u0641\u0645 \u0648\u0627\u0644\u0639\u064A\u0646\u064A\u0646 \u064A\u0628\u062A\u0633\u0645", 'Smiling face with open mouth and cold sweat': "\u0627\u0644\u0648\u062C\u0647 \u0627\u0644\u0645\u0628\u062A\u0633\u0645 \u0645\u0639 \u0641\u062A\u062D \u0627\u0644\u0641\u0645 \u0648\u0627\u0644\u0639\u0631\u0642 \u0627\u0644\u0628\u0627\u0631\u062F", 'Smiling face with open mouth and tightly-closed eyes': "\u0627\u0644\u0648\u062C\u0647 \u0627\u0644\u0645\u0628\u062A\u0633\u0645 \u0645\u0639 \u0641\u062A\u062D \u0627\u0644\u0641\u0645 \u0648\u0627\u0644\u0639\u064A\u0646\u064A\u0646 \u0645\u063A\u0644\u0642\u0629 \u0628\u0625\u062D\u0643\u0627\u0645", 'Smiling face with halo': "\u0627\u0644\u0648\u062C\u0647 \u0627\u0644\u0645\u0628\u062A\u0633\u0645 \u0645\u0639 \u0647\u0627\u0644\u0629", 'Smiling face with horns': "\u0627\u0644\u0648\u062C\u0647 \u0627\u0644\u0645\u0628\u062A\u0633\u0645 \u0628\u0642\u0631\u0648\u0646", 'Winking face': "\u0627\u0644\u063A\u0645\u0632 \u0648\u062C\u0647", 'Smiling face with smiling eyes': "\u064A\u0628\u062A\u0633\u0645 \u0648\u062C\u0647 \u0645\u0639 \u0639\u064A\u0648\u0646 \u062A\u0628\u062A\u0633\u0645", 'Face savoring delicious food': "\u064A\u0648\u0627\u062C\u0647 \u0644\u0630\u064A\u0630 \u0627\u0644\u0645\u0630\u0627\u0642 \u0644\u0630\u064A\u0630 \u0627\u0644\u0637\u0639\u0627\u0645", 'Relieved face': "\u0648\u062C\u0647 \u0628\u0627\u0644\u0627\u0631\u062A\u064A\u0627\u062D", 'Smiling face with heart-shaped eyes': "\u0627\u0644\u0648\u062C\u0647 \u0627\u0644\u0645\u0628\u062A\u0633\u0645 \u0628\u0639\u064A\u0646\u064A\u0646 \u0639\u0644\u0649 \u0634\u0643\u0644 \u0642\u0644\u0628", 'Smiling face with sunglasses': "\u0627\u0644\u0648\u062C\u0647 \u0627\u0644\u0645\u0628\u062A\u0633\u0645 \u0645\u0639 \u0627\u0644\u0646\u0638\u0627\u0631\u0627\u062A \u0627\u0644\u0634\u0645\u0633\u064A\u0629", 'Smirking face': "\u0633\u0645\u064A\u0631\u0643\u064A\u0646\u062C \u0627\u0644\u0648\u062C\u0647", 'Neutral face': "\u0645\u062D\u0627\u064A\u062F \u0627\u0644\u0648\u062C\u0647", 'Expressionless face': "\u0648\u062C\u0647 \u0627\u0644\u062A\u0639\u0627\u0628\u064A\u0631", 'Unamused face': "\u0644\u0627 \u0645\u0633\u0644\u064A\u0627 \u0627\u0644\u0648\u062C\u0647", 'Face with cold sweat': "\u0648\u062C\u0647 \u0645\u0639 \u0639\u0631\u0642 \u0628\u0627\u0631\u062F", 'Pensive face': "\u0648\u062C\u0647 \u0645\u062A\u0623\u0645\u0644", 'Confused face': "\u0648\u062C\u0647 \u0627\u0644\u062E\u0644\u0637", 'Confounded face': "\u0648\u062C\u0647 \u0645\u0631\u062A\u0628\u0643", 'Kissing face': "\u062A\u0642\u0628\u064A\u0644 \u0627\u0644\u0648\u062C\u0647", 'Face throwing a kiss': "\u0645\u0648\u0627\u062C\u0647\u0629 \u0631\u0645\u064A \u0642\u0628\u0644\u0629", 'Kissing face with smiling eyes': "\u062A\u0642\u0628\u064A\u0644 \u0648\u062C\u0647 \u0645\u0639 \u0639\u064A\u0648\u0646 \u062A\u0628\u062A\u0633\u0645", 'Kissing face with closed eyes': "\u062A\u0642\u0628\u064A\u0644 \u0648\u062C\u0647 \u0645\u0639 \u0639\u064A\u0648\u0646 \u0645\u063A\u0644\u0642\u0629", 'Face with stuck out tongue': "\u0627\u0644\u0648\u062C\u0647 \u0645\u0639 \u062A\u0645\u0633\u0643 \u0628\u0647\u0627 \u0627\u0644\u0644\u0633\u0627\u0646", 'Face with stuck out tongue and winking eye': "\u0627\u0644\u0648\u062C\u0647 \u0645\u0639 \u062A\u0645\u0633\u0643 \u0628\u0647\u0627 \u0627\u0644\u0644\u0633\u0627\u0646 \u0648\u0627\u0644\u0639\u064A\u0646 \u0627\u0644\u062A\u063A\u0627\u0636\u064A", 'Face with stuck out tongue and tightly-closed eyes': "\u0627\u0644\u0648\u062C\u0647 \u0645\u0639 \u062A\u0645\u0633\u0643 \u0628\u0647\u0627 \u0627\u0644\u0644\u0633\u0627\u0646 \u0648\u0627\u0644\u0639\u064A\u0648\u0646 \u0645\u063A\u0644\u0642\u0629 \u0628\u0623\u062D\u0643\u0627\u0645-", 'Disappointed face': "\u0648\u062C\u0647\u0627 \u062E\u064A\u0628\u0629 \u0623\u0645\u0644", 'Worried face': "\u0648\u062C\u0647\u0627 \u0627\u0644\u0642\u0644\u0642\u0648\u0646", 'Angry face': "\u0648\u062C\u0647 \u063A\u0627\u0636\u0628", 'Pouting face': "\u0627\u0644\u0639\u0628\u0648\u0633 \u0648\u062C\u0647", 'Crying face': "\u0627\u0644\u0628\u0643\u0627\u0621 \u0627\u0644\u0648\u062C\u0647", 'Persevering face': "\u0627\u0644\u0645\u062B\u0627\u0628\u0631\u0629 \u0648\u062C\u0647\u0647", 'Face with look of triumph': "\u0648\u0627\u062C\u0647 \u0645\u0639 \u0646\u0638\u0631\u0629 \u0627\u0646\u062A\u0635\u0627\u0631", 'Disappointed but relieved face': "\u0628\u062E\u064A\u0628\u0629 \u0623\u0645\u0644 \u0648\u0644\u0643\u0646 \u064A\u0639\u0641\u0649 \u0648\u062C\u0647", 'Frowning face with open mouth': "\u0645\u0642\u0637\u0628 \u0627\u0644\u0648\u062C\u0647 \u0645\u0639 \u0641\u062A\u062D \u0627\u0644\u0641\u0645", 'Anguished face': "\u0627\u0644\u0648\u062C\u0647 \u0627\u0644\u0645\u0624\u0644\u0645", 'Fearful face': "\u0627\u0644\u0648\u062C\u0647 \u0627\u0644\u0645\u062E\u064A\u0641", 'Weary face': "\u0648\u062C\u0647\u0627 \u0628\u0627\u0644\u0636\u062C\u0631", 'Sleepy face': "\u0648\u062C\u0647 \u0646\u0639\u0633\u0627\u0646", 'Tired face': "\u0648\u062C\u0647 \u0645\u062A\u0639\u0628", 'Grimacing face': "\u0648\u062E\u0631\u062C \u0633\u064A\u0633 \u0627\u0644\u0648\u062C\u0647", 'Loudly crying face': "\u0627\u0644\u0628\u0643\u0627\u0621 \u0628\u0635\u0648\u062A \u0639\u0627\u0644 \u0648\u062C\u0647\u0647", 'Face with open mouth': "\u0648\u0627\u062C\u0647 \u0645\u0639 \u0641\u062A\u062D \u0627\u0644\u0641\u0645", 'Hushed face': "\u0648\u062C\u0647\u0627 \u0627\u0644\u062A\u0643\u062A\u0645", 'Face with open mouth and cold sweat': "\u0648\u0627\u062C\u0647 \u0645\u0639 \u0641\u062A\u062D \u0627\u0644\u0641\u0645 \u0648\u0627\u0644\u0639\u0631\u0642 \u0627\u0644\u0628\u0627\u0631\u062F", 'Face screaming in fear': "\u0648\u0627\u062C\u0647 \u064A\u0635\u0631\u062E \u0641\u064A \u062E\u0648\u0641", 'Astonished face': "\u0648\u062C\u0647\u0627 \u062F\u0647\u0634", 'Flushed face': "\u0627\u062D\u0645\u0631\u0627\u0631 \u0627\u0644\u0648\u062C\u0647", 'Sleeping face': "\u0627\u0644\u0646\u0648\u0645 \u0627\u0644\u0648\u062C\u0647", 'Dizzy face': "\u0648\u062C\u0647\u0627 \u0628\u0627\u0644\u062F\u0648\u0627\u0631", 'Face without mouth': "\u0648\u0627\u062C\u0647 \u062F\u0648\u0646 \u0627\u0644\u0641\u0645", 'Face with medical mask': "\u0648\u0627\u062C\u0647 \u0645\u0639 \u0642\u0646\u0627\u0639 \u0627\u0644\u0637\u0628\u064A\u0629", // Line breaker 'Break': "\u0627\u0644\u0627\u0646\u0642\u0633\u0627\u0645", // Math 'Subscript': "\u0645\u0646\u062E\u0641\u0636", 'Superscript': "\u062D\u0631\u0641 \u0641\u0648\u0642\u064A", // Full screen 'Fullscreen': "\u0643\u0627\u0645\u0644 \u0627\u0644\u0634\u0627\u0634\u0629", // Horizontal line 'Insert Horizontal Line': "\u0625\u062F\u0631\u0627\u062C \u062E\u0637 \u0623\u0641\u0642\u064A", // Clear formatting 'Clear Formatting': "\u0625\u0632\u0627\u0644\u0629 \u0627\u0644\u062A\u0646\u0633\u064A\u0642", // Save 'Save': "\u062D\u0641\u0638", // Undo, redo 'Undo': "\u062A\u0631\u0627\u062C\u0639", 'Redo': "\u0625\u0639\u0627\u062F\u0629", // Select all 'Select All': "\u062A\u062D\u062F\u064A\u062F \u0627\u0644\u0643\u0644", // Code view 'Code View': "\u0639\u0631\u0636 \u0627\u0644\u062A\u0639\u0644\u064A\u0645\u0627\u062A \u0627\u0644\u0628\u0631\u0645\u062C\u064A\u0629", // Quote 'Quote': "\u0627\u0642\u062A\u0628\u0633", 'Increase': "\u0632\u064A\u0627\u062F\u0629", 'Decrease': "\u0627\u0646\u062E\u0641\u0627\u0636", // Quick Insert 'Quick Insert': "\u0625\u062F\u0631\u0627\u062C \u0633\u0631\u064A\u0639", // Spcial Characters 'Special Characters': 'أحرف خاصة', 'Latin': 'لاتينية', 'Greek': 'الإغريقي', 'Cyrillic': 'السيريلية', 'Punctuation': 'علامات ترقيم', 'Currency': 'دقة', 'Arrows': 'السهام', 'Math': 'الرياضيات', 'Misc': 'متفرقات', // Print. 'Print': 'طباعة', // Spell Checker. 'Spell Checker': 'مدقق املائي', // Help 'Help': 'مساعدة', 'Shortcuts': 'اختصارات', 'Inline Editor': 'محرر مضمنة', 'Show the editor': 'عرض المحرر', 'Common actions': 'الإجراءات المشتركة', 'Copy': 'نسخ', 'Cut': 'يقطع', 'Paste': 'معجون', 'Basic Formatting': 'التنسيق الأساسي', 'Increase quote level': 'زيادة مستوى الاقتباس', 'Decrease quote level': 'انخفاض مستوى الاقتباس', 'Image / Video': 'صورة / فيديو', 'Resize larger': 'تغيير حجم أكبر', 'Resize smaller': 'تغيير حجم أصغر', 'Table': 'الطاولة', 'Select table cell': 'حدد خلية الجدول', 'Extend selection one cell': 'توسيع اختيار خلية واحدة', 'Extend selection one row': 'تمديد اختيار صف واحد', 'Navigation': 'التنقل', 'Focus popup / toolbar': 'التركيز المنبثقة / شريط الأدوات', 'Return focus to previous position': 'عودة التركيز إلى الموقف السابق', // Embed.ly 'Embed URL': 'تضمين عنوان ورل', 'Paste in a URL to embed': 'الصق في عنوان ورل لتضمينه', // Word Paste. 'The pasted content is coming from a Microsoft Word document. Do you want to keep the format or clean it up?': 'المحتوى الذي تم لصقه قادم من وثيقة كلمة ميكروسوفت. هل تريد الاحتفاظ بالتنسيق أو تنظيفه؟', 'Keep': 'احتفظ', 'Clean': 'نظيف', 'Word Paste Detected': 'تم اكتشاف معجون الكلمات', // Character Counter 'Characters': 'الشخصيات', // More Buttons 'More Text': 'المزيد من النص', 'More Paragraph': ' المزيد من الفقرة', 'More Rich': ' أكثر ثراء', 'More Misc': ' أكثر متفرقات' }, direction: 'rtl' }; }))); //# sourceMappingURL=ar.js.map
cdnjs/cdnjs
ajax/libs/froala-editor/3.1.1/js/languages/ar.js
JavaScript
mit
20,426
package wblut.Render2016; import java.util.Arrays; import processing.core.PConstants; public class MultiTextNoTitle extends Slide { String[] lines = null; int offset; public MultiTextNoTitle(final RTO home, final String... lines) { super(home, ""); this.lines = Arrays.copyOf(lines, lines.length); offset = 80; }; public MultiTextNoTitle(final RTO home, final int offset, final String... lines) { super(home, ""); this.lines = Arrays.copyOf(lines, lines.length); this.offset = offset; }; @Override void setup() { home.fill(0); } @Override public void updatePre() { } @Override void backgroundDraw() { home.background(20); } @Override void transformAndLights() { } @Override void normalDraw() { } @Override void glowDraw() { } @Override public void hudDraw() { home.textFont(home.fontsans, 1.8f * home.smallfont); home.textAlign(PConstants.CENTER); home.fill(200); float m = 0; for (int i = 0; i < lines.length; i++) { home.text(lines[i], home.width / 2, ((home.height / 2) - offset) + m); m += 2.6f * home.smallfont; } } @Override public void updatePost() { } @Override void shutdown() { } }
wblut/Render2016_RenderingTheObvious
src/wblut/Render2016/MultiTextNoTitle.java
Java
cc0-1.0
1,180
jsonp({"cep":"89874000","cidade":"Maravilha","uf":"SC","estado":"Santa Catarina"});
lfreneda/cepdb
api/v1/89874000.jsonp.js
JavaScript
cc0-1.0
84
jsonp({"cep":"63880000","cidade":"Domingos da Costa","uf":"CE","estado":"Cear\u00e1"});
lfreneda/cepdb
api/v1/63880000.jsonp.js
JavaScript
cc0-1.0
88
class FavoritesController < ApplicationController def index @favorite = Favorite.new end def create @favorite = Favorite.new(favorite_params) @favorite.user = current_user if @favorite.save redirect_to :back end end def destroy @favorite = Favorite.find(params[:favorite]) @favorite.destroy end private def favorite_params params.require(:favorite).permit(:busroute) end end
rebeccamills/whatsamata
app/controllers/favorites_controller.rb
Ruby
cc0-1.0
445
import {CHANGE_PAGE_ID} from 'actions' const initialState = null export default function(state = initialState, action = {}) { switch (action.type) { case CHANGE_PAGE_ID: return action.payload default: return state } }
s0ber/react-app-template
src/reducers/currentPageId.js
JavaScript
cc0-1.0
244
'use strict'; var packager = require('electron-packager'); var options = { 'arch': 'ia32', 'platform': 'win32', 'dir': './', 'app-copyright': 'Paulo Galdo', 'app-version': '2.2.5', 'asar': true, 'icon': './app.ico', 'name': 'TierraDesktop', 'out': './releases', 'overwrite': true, 'prune': true, 'version': '1.4.13', 'version-string': { 'CompanyName': 'Paulo Galdo', 'FileDescription': 'Tierra de colores', /*This is what display windows on task manager, shortcut and process*/ 'OriginalFilename': 'TierraDesktop', 'ProductName': 'Tierra de colores', 'InternalName': 'TierraDesktop' } }; packager(options, function done_callback(err, appPaths) { console.log("Error: ", err); console.log("appPaths: ", appPaths); });
CosmicaJujuy/TierraDesktop
elec.js
JavaScript
cc0-1.0
847
"""adding timestamps to all tables Revision ID: c0a714ade734 Revises: 1a886e694fca Create Date: 2016-04-20 14:46:06.407765 """ # revision identifiers, used by Alembic. revision = 'c0a714ade734' down_revision = '1a886e694fca' branch_labels = None depends_on = None from alembic import op import sqlalchemy as sa def upgrade(engine_name): globals()["upgrade_%s" % engine_name]() def downgrade(engine_name): globals()["downgrade_%s" % engine_name]() def upgrade_validation(): ### commands auto generated by Alembic - please adjust! ### op.add_column('field_type', sa.Column('created_at', sa.DateTime(), nullable=True)) op.add_column('field_type', sa.Column('updated_at', sa.DateTime(), nullable=True)) op.add_column('file_columns', sa.Column('created_at', sa.DateTime(), nullable=True)) op.add_column('file_columns', sa.Column('updated_at', sa.DateTime(), nullable=True)) op.add_column('file_type', sa.Column('created_at', sa.DateTime(), nullable=True)) op.add_column('file_type', sa.Column('updated_at', sa.DateTime(), nullable=True)) op.add_column('multi_field_rule', sa.Column('created_at', sa.DateTime(), nullable=True)) op.add_column('multi_field_rule', sa.Column('updated_at', sa.DateTime(), nullable=True)) op.add_column('multi_field_rule_type', sa.Column('created_at', sa.DateTime(), nullable=True)) op.add_column('multi_field_rule_type', sa.Column('updated_at', sa.DateTime(), nullable=True)) op.add_column('rule', sa.Column('created_at', sa.DateTime(), nullable=True)) op.add_column('rule', sa.Column('updated_at', sa.DateTime(), nullable=True)) op.add_column('rule_timing', sa.Column('created_at', sa.DateTime(), nullable=True)) op.add_column('rule_timing', sa.Column('updated_at', sa.DateTime(), nullable=True)) op.add_column('rule_type', sa.Column('created_at', sa.DateTime(), nullable=True)) op.add_column('rule_type', sa.Column('updated_at', sa.DateTime(), nullable=True)) op.add_column('tas_lookup', sa.Column('created_at', sa.DateTime(), nullable=True)) op.add_column('tas_lookup', sa.Column('updated_at', sa.DateTime(), nullable=True)) ### end Alembic commands ### def downgrade_validation(): ### commands auto generated by Alembic - please adjust! ### op.drop_column('tas_lookup', 'updated_at') op.drop_column('tas_lookup', 'created_at') op.drop_column('rule_type', 'updated_at') op.drop_column('rule_type', 'created_at') op.drop_column('rule_timing', 'updated_at') op.drop_column('rule_timing', 'created_at') op.drop_column('rule', 'updated_at') op.drop_column('rule', 'created_at') op.drop_column('multi_field_rule_type', 'updated_at') op.drop_column('multi_field_rule_type', 'created_at') op.drop_column('multi_field_rule', 'updated_at') op.drop_column('multi_field_rule', 'created_at') op.drop_column('file_type', 'updated_at') op.drop_column('file_type', 'created_at') op.drop_column('file_columns', 'updated_at') op.drop_column('file_columns', 'created_at') op.drop_column('field_type', 'updated_at') op.drop_column('field_type', 'created_at') ### end Alembic commands ###
fedspendingtransparency/data-act-validator
dataactvalidator/migrations/versions/c0a714ade734_adding_timestamps_to_all_tables.py
Python
cc0-1.0
3,174
<?php /** * ifeelweb.de WordPress Plugin Framework * For more information see http://www.ifeelweb.de/wp-plugin-framework * * * * @author Timo Reith <timo@ifeelweb.de> * @version $Id: Parser.php 972646 2014-08-25 20:12:32Z worschtebrot $ * @package */ class IfwPsn_Wp_WunderScript_Parser { /** * @var IfwPsn_Wp_WunderScript_Parser */ protected static $_instance; /** * @var IfwPsn_Wp_WunderScript_Parser */ protected static $_instanceFile; /** * @var IfwPsn_Vendor_Twig_Environment */ protected $_env; /** * @var IfwPsn_Wp_Plugin_Logger */ protected $_logger; /** * @var array */ protected $_extensions = array(); /** * Retrieves the default string loader instance * * @param array $twigOptions * @return IfwPsn_Wp_WunderScript_Parser */ public static function getInstance($twigOptions=array()) { if (self::$_instance === null) { require_once dirname(__FILE__) . '/../Tpl.php'; $options = array_merge(array('twig_loader' => 'String'), $twigOptions); $env = IfwPsn_Wp_Tpl::factory($options); self::$_instance = new self($env); } return self::$_instance; } /** * Retrieves the file loader instance * * @param IfwPsn_Wp_Plugin_Manager $pm * @param array $twigOptions * @return IfwPsn_Wp_WunderScript_Parser */ public static function getFileInstance(IfwPsn_Wp_Plugin_Manager $pm, $twigOptions=array()) { if (self::$_instanceFile === null) { require_once dirname(__FILE__) . '/../Tpl.php'; $env = IfwPsn_Wp_Tpl::getFilesytemInstance($pm, $twigOptions); self::$_instanceFile = new self($env); } return self::$_instanceFile; } /** * @param IfwPsn_Vendor_Twig_Environment $env */ protected function __construct(IfwPsn_Vendor_Twig_Environment $env) { $this->_env = $env; $this->_init(); } protected function _init() { $this->_loadExtensions(); } protected function _loadExtensions() { $extensionsPath = dirname(__FILE__) . DIRECTORY_SEPARATOR . 'Extension' . DIRECTORY_SEPARATOR; require_once $extensionsPath . 'TextFilters.php'; require_once $extensionsPath . 'TextTests.php'; require_once $extensionsPath . 'ListFilters.php'; require_once $extensionsPath . 'Globals.php'; array_push($this->_extensions, new IfwPsn_Wp_WunderScript_Extension_TextFilters()); array_push($this->_extensions, new IfwPsn_Wp_WunderScript_Extension_TextTests()); array_push($this->_extensions, new IfwPsn_Wp_WunderScript_Extension_ListFilters()); array_push($this->_extensions, new IfwPsn_Wp_WunderScript_Extension_Globals()); foreach ($this->_extensions as $extension) { if ($extension instanceof IfwPsn_Wp_WunderScript_Extension_Interface) { $extension->load($this->_env); } } } /** * @param $string * @param array $context * @param null|callable $exceptionHandler * @return string */ public function parse($string, $context = array(), $exceptionHandler = null) { if (!empty($string)) { try { if ($this->_env->getLoader() instanceof IfwPsn_Vendor_Twig_Loader_String) { $string = $this->_sanitzeString($string); } $string = $this->_env->render($string, $context); } catch (Exception $e) { // invalid filter handling if (is_callable($exceptionHandler)) { call_user_func_array($exceptionHandler, array($e)); } else { if ($this->_logger instanceof IfwPsn_Wp_Plugin_Logger) { $this->_logger->err($e->getMessage()); } } } } return $string; } /** * @param $string * @return string */ protected function _sanitzeString($string) { $replace = array( '/{{(\s+)/' => '{{', '/{{&nbsp;/' => '{{', '/(\s+)}}/' => '}}', ); $string = preg_replace(array_keys($replace), array_values($replace), $string); return $string; } /** * @param \IfwPsn_Wp_Plugin_Logger $logger */ public function setLogger($logger) { $this->_logger = $logger; } /** * @return \IfwPsn_Wp_Plugin_Logger */ public function getLogger() { return $this->_logger; } }
misterbigood/doc-saemf
plugins/post-status-notifier-lite/lib/IfwPsn/Wp/WunderScript/Parser.php
PHP
cc0-1.0
4,729
'use strict'; var _index = require('/Users/markmiro/proj/ui-experiments/node_modules/babel-preset-react-hmre/node_modules/redbox-react/lib/index.js'); var _index2 = _interopRequireDefault(_index); var _index3 = require('/Users/markmiro/proj/ui-experiments/node_modules/babel-preset-react-hmre/node_modules/react-transform-catch-errors/lib/index.js'); var _index4 = _interopRequireDefault(_index3); var _react2 = require('react'); var _react3 = _interopRequireDefault(_react2); var _index5 = require('/Users/markmiro/proj/ui-experiments/node_modules/babel-preset-react-hmre/node_modules/react-transform-hmr/lib/index.js'); var _index6 = _interopRequireDefault(_index5); var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); Object.defineProperty(exports, "__esModule", { value: true }); exports.Row = undefined; function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call && (typeof call === "object" || typeof call === "function") ? call : self; } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; } var _components = { Row: { displayName: 'Row' } }; var _UsersMarkmiroProjUiExperimentsNode_modulesBabelPresetReactHmreNode_modulesReactTransformHmrLibIndexJs2 = (0, _index6.default)({ filename: 'src/modules/Row.js', components: _components, locals: [module], imports: [_react3.default] }); var _UsersMarkmiroProjUiExperimentsNode_modulesBabelPresetReactHmreNode_modulesReactTransformCatchErrorsLibIndexJs2 = (0, _index4.default)({ filename: 'src/modules/Row.js', components: _components, locals: [], imports: [_react3.default, _index2.default] }); function _wrapComponent(id) { return function (Component) { return _UsersMarkmiroProjUiExperimentsNode_modulesBabelPresetReactHmreNode_modulesReactTransformHmrLibIndexJs2(_UsersMarkmiroProjUiExperimentsNode_modulesBabelPresetReactHmreNode_modulesReactTransformCatchErrorsLibIndexJs2(Component, id), id); }; } var Row = exports.Row = _wrapComponent('Row')(function (_React$Component) { _inherits(Row, _React$Component); function Row() { _classCallCheck(this, Row); return _possibleConstructorReturn(this, Object.getPrototypeOf(Row).apply(this, arguments)); } _createClass(Row, [{ key: 'render', value: function render() { return _react3.default.createElement( 'div', null, this.props.children.map(function (child, i) { return _react3.default.createElement( 'div', { key: i, style: { width: '50%', display: 'inline-block' } }, child ); }) ); } }]); return Row; }(_react3.default.Component));
markmiro/ui-experiments
lib/Row.js
JavaScript
cc0-1.0
3,934
<?php session_start(); include_once("db_connection.php"); include ("login_required.php"); if(!empty($_POST["exercise_name"])){ $exercise_name = $_POST["exercise_name"]; $exerciseid_fk = $_POST["exerciseid"]; $sessionid_fk = $_POST["sessionid"]; $sql1 = "SELECT exerciseid FROM exercise WHERE exercise_name ='$exercise_name'"; $id = ""; $result = $conn->query($sql1); if($result->num_rows > 0 ){ while ($row = $result->fetch_assoc()){ $id = $row["exerciseid"]; } } $sql = /** @lang text */ "INSERT INTO results(exerciseid_fk,sessionid_fk) VALUES ('$id','$sessionid_fk')"; if($conn->query($sql) == TRUE) { $maks = 0; $sql2 = /** @lang text */ "Select max(resultid) as maks from results"; $result2 = $conn->query($sql2); if($result2->num_rows > 0 ){ while ($row2 = $result2->fetch_assoc()){ $maks = $row2["maks"]; } } echo $maks; } else{ header('HTTP/1.0 404 not found'); } }
SleipRecx/Training
scripts/new_exercise_in_session.php
PHP
cc0-1.0
1,086
jsonp({"cep":"78335000","cidade":"Colniza","uf":"MT","estado":"Mato Grosso"});
lfreneda/cepdb
api/v1/78335000.jsonp.js
JavaScript
cc0-1.0
79
/****************************************************************************** * AUTHOR: Alexander Casal * FILE: game.cpp * DESCRIPTION: Demonstrate the use of the Strategy Design Pattern through * a very simple game which allows the user to select different * weapons. Each weapon has a different characteristic, changing * the way the player attacks. *****************************************************************************/ #include "game.h" #include "largesword.h" #include "smallsword.h" #include "bow.h" #include <memory> #include <limits> #include <iostream> /** * Constructor * * When we create the game we initialize playing to true so our game * loop runs. */ Game::Game() { playing = true; } /** * play * * Control the game loop allowing the player to select various * options. The function changeWeapon allows us to use the strategy * pattern to change which strategy we are using at runtime. */ void Game::play() { std::cout << "Welcome to the Strategy Pattern Game!\n"; showOptions(); while (playing) { switch (getOption()) { case 1: player.changeWeapon(std::make_unique<LargeSword>()); break; case 2: player.changeWeapon(std::make_unique<SmallSword>()); break; case 3: player.changeWeapon(std::make_unique<Bow>()); break; case 4: player.attack(); break; case 5: playing = false; break; } } } /** * getOption * * Prompt the user to enter an option and retrieve it. We do some simple * error checking to validate the user has entered a value between 1 and 5 * inclusive. */ int Game::getOption() { bool valid = false; int input = 0; do { std::cout << "> "; // Validate the user has entered valid data if (std::cin >> input) { valid = true; if (input <= 0 || input > 5) { std::cout << "Please enter an option between 1 and 5\n"; valid = false; } } else { std::cin.clear(); std::cin.ignore(std::numeric_limits<std::streamsize>::max(), '\n'); std::cout << "Plese enter an option between 1 and 5\n"; } } while (!valid); return input; } /** * showOptions * * Display a list of possible options the user can input for their next * action. */ void Game::showOptions() { std::cout << "\nPlease type an option from the menu (ex: > 4)\n"; std::cout << "1.) Select large sword\n2.) Select small sword\n"; std::cout << "3.) Select bow\n4.) Attack\n5.) Quit\n"; }
alexandercasal/StrategyPattern
cpp/src/game.cpp
C++
cc0-1.0
2,429
// Joe Presbrey <presbrey@mit.edu> // 2007-07-15 // 2010-08-08 TimBL folded in Kenny's WEBDAV // 2010-12-07 TimBL addred local file write code const docpart = require('./uri').docpart const Fetcher = require('./fetcher') const graph = require('./data-factory').graph import IndexedFormula from './indexed-formula' const namedNode = require('./data-factory').namedNode const Namespace = require('./namespace') const Serializer = require('./serializer') const uriJoin = require('./uri').join const Util = require('./util') var UpdateManager = (function () { var sparql = function (store) { this.store = store if (store.updater) { throw new Error("You can't have two UpdateManagers for the same store") } if (!store.fetcher) { // The store must also/already have a fetcher new Fetcher(store) } store.updater = this this.ifps = {} this.fps = {} this.ns = {} this.ns.link = Namespace('http://www.w3.org/2007/ont/link#') this.ns.http = Namespace('http://www.w3.org/2007/ont/http#') this.ns.httph = Namespace('http://www.w3.org/2007/ont/httph#') this.ns.ldp = Namespace('http://www.w3.org/ns/ldp#') this.ns.rdf = Namespace('http://www.w3.org/1999/02/22-rdf-syntax-ns#') this.ns.rdfs = Namespace('http://www.w3.org/2000/01/rdf-schema#') this.ns.rdf = Namespace('http://www.w3.org/1999/02/22-rdf-syntax-ns#') this.ns.owl = Namespace('http://www.w3.org/2002/07/owl#') this.patchControl = [] // index of objects fro coordinating incomng and outgoing patches } sparql.prototype.patchControlFor = function (doc) { if (!this.patchControl[doc.uri]) { this.patchControl[doc.uri] = [] } return this.patchControl[doc.uri] } // Returns The method string SPARQL or DAV or LOCALFILE or false if known, undefined if not known. // // Files have to have a specific annotaton that they are machine written, for safety. // We don't actually check for write access on files. // sparql.prototype.editable = function (uri, kb) { if (!uri) { return false // Eg subject is bnode, no known doc to write to } if (!kb) { kb = this.store } if (uri.slice(0, 8) === 'file:///') { if (kb.holds( kb.sym(uri), namedNode('http://www.w3.org/1999/02/22-rdf-syntax-ns#type'), namedNode('http://www.w3.org/2007/ont/link#MachineEditableDocument') )) { return 'LOCALFILE' } var sts = kb.statementsMatching(kb.sym(uri), undefined, undefined) console.log('sparql.editable: Not MachineEditableDocument file ' + uri + '\n') console.log(sts.map(function (x) { return x.toNT() }).join('\n')) return false // @@ Would be nifty of course to see whether we actually have write acess first. } var request var definitive = false var requests = kb.each(undefined, this.ns.link('requestedURI'), docpart(uri)) // Hack for the moment @@@@ 2016-02-12 if (kb.holds(namedNode(uri), this.ns.rdf('type'), this.ns.ldp('Resource'))) { return 'SPARQL' } var i var method for (var r = 0; r < requests.length; r++) { request = requests[r] if (request !== undefined) { var response = kb.any(request, this.ns.link('response')) if (request !== undefined) { var acceptPatch = kb.each(response, this.ns.httph('accept-patch')) if (acceptPatch.length) { for (i = 0; i < acceptPatch.length; i++) { method = acceptPatch[i].value.trim() if (method.indexOf('application/sparql-update') >= 0) return 'SPARQL' } } var author_via = kb.each(response, this.ns.httph('ms-author-via')) if (author_via.length) { for (i = 0; i < author_via.length; i++) { method = author_via[i].value.trim() if (method.indexOf('SPARQL') >= 0) { return 'SPARQL' } if (method.indexOf('DAV') >= 0) { return 'DAV' } } } var status = kb.each(response, this.ns.http('status')) if (status.length) { for (i = 0; i < status.length; i++) { if (status[i] === 200 || status[i] === 404) { definitive = true // return false // A definitive answer } } } } else { console.log('sparql.editable: No response for ' + uri + '\n') } } } if (requests.length === 0) { console.log('sparql.editable: No request for ' + uri + '\n') } else { if (definitive) { return false // We have got a request and it did NOT say editable => not editable } } console.log('sparql.editable: inconclusive for ' + uri + '\n') return undefined // We don't know (yet) as we haven't had a response (yet) } // ///////// The identification of bnodes sparql.prototype.anonymize = function (obj) { return (obj.toNT().substr(0, 2) === '_:' && this._mentioned(obj)) ? '?' + obj.toNT().substr(2) : obj.toNT() } sparql.prototype.anonymizeNT = function (stmt) { return this.anonymize(stmt.subject) + ' ' + this.anonymize(stmt.predicate) + ' ' + this.anonymize(stmt.object) + ' .' } // A list of all bnodes occuring in a statement sparql.prototype._statement_bnodes = function (st) { return [st.subject, st.predicate, st.object].filter(function (x) { return x.isBlank }) } // A list of all bnodes occuring in a list of statements sparql.prototype._statement_array_bnodes = function (sts) { var bnodes = [] for (var i = 0; i < sts.length; i++) { bnodes = bnodes.concat(this._statement_bnodes(sts[i])) } bnodes.sort() // in place sort - result may have duplicates var bnodes2 = [] for (var j = 0; j < bnodes.length; j++) { if (j === 0 || !bnodes[j].sameTerm(bnodes[j - 1])) { bnodes2.push(bnodes[j]) } } return bnodes2 } sparql.prototype._cache_ifps = function () { // Make a cached list of [Inverse-]Functional properties // Call this once before calling context_statements this.ifps = {} var a = this.store.each(undefined, this.ns.rdf('type'), this.ns.owl('InverseFunctionalProperty')) for (var i = 0; i < a.length; i++) { this.ifps[a[i].uri] = true } this.fps = {} a = this.store.each(undefined, this.ns.rdf('type'), this.ns.owl('FunctionalProperty')) for (i = 0; i < a.length; i++) { this.fps[a[i].uri] = true } } // Returns a context to bind a given node, up to a given depth sparql.prototype._bnode_context2 = function (x, source, depth) { // Return a list of statements which indirectly identify a node // Depth > 1 if try further indirection. // Return array of statements (possibly empty), or null if failure var sts = this.store.statementsMatching(undefined, undefined, x, source) // incoming links var y var res for (var i = 0; i < sts.length; i++) { if (this.fps[sts[i].predicate.uri]) { y = sts[i].subject if (!y.isBlank) { return [ sts[i] ] } if (depth) { res = this._bnode_context2(y, source, depth - 1) if (res) { return res.concat([ sts[i] ]) } } } } // outgoing links sts = this.store.statementsMatching(x, undefined, undefined, source) for (i = 0; i < sts.length; i++) { if (this.ifps[sts[i].predicate.uri]) { y = sts[i].object if (!y.isBlank) { return [ sts[i] ] } if (depth) { res = this._bnode_context2(y, source, depth - 1) if (res) { return res.concat([ sts[i] ]) } } } } return null // Failure } // Returns the smallest context to bind a given single bnode sparql.prototype._bnode_context_1 = function (x, source) { // Return a list of statements which indirectly identify a node // Breadth-first var self = this for (var depth = 0; depth < 3; depth++) { // Try simple first var con = this._bnode_context2(x, source, depth) if (con !== null) return con } // If we can't guarantee unique with logic just send all info about node return this.store.connectedStatements(x, source) // was: // throw new Error('Unable to uniquely identify bnode: ' + x.toNT()) } sparql.prototype._mentioned = function (x) { return (this.store.statementsMatching(x).length !== 0) || // Don't pin fresh bnodes (this.store.statementsMatching(undefined, x).length !== 0) || (this.store.statementsMatching(undefined, undefined, x).length !== 0) } sparql.prototype._bnode_context = function (bnodes, doc) { var context = [] if (bnodes.length) { this._cache_ifps() for (var i = 0; i < bnodes.length; i++) { // Does this occur in old graph? var bnode = bnodes[i] if (!this._mentioned(bnode)) continue context = context.concat(this._bnode_context_1(bnode, doc)) } } return context } /* Weird code does not make sense -- some code corruption along the line -- st undefined -- weird sparql.prototype._bnode_context = function(bnodes) { var context = [] if (bnodes.length) { if (this.store.statementsMatching(st.subject.isBlank?undefined:st.subject, st.predicate.isBlank?undefined:st.predicate, st.object.isBlank?undefined:st.object, st.why).length <= 1) { context = context.concat(st) } else { this._cache_ifps() for (x in bnodes) { context = context.concat(this._bnode_context_1(bnodes[x], st.why)) } } } return context } */ // Returns the best context for a single statement sparql.prototype._statement_context = function (st) { var bnodes = this._statement_bnodes(st) return this._bnode_context(bnodes, st.why) } sparql.prototype._context_where = function (context) { var sparql = this return (!context || context.length === 0) ? '' : 'WHERE { ' + context.map(function (x) { return sparql.anonymizeNT(x) }).join('\n') + ' }\n' } sparql.prototype._fire = function (uri, query, callback) { if (!uri) { throw new Error('No URI given for remote editing operation: ' + query) } console.log('sparql: sending update to <' + uri + '>') var xhr = Util.XMLHTTPFactory() xhr.options = {} xhr.onreadystatechange = function () { // dump("SPARQL update ready state for <"+uri+"> readyState="+xhr.readyState+"\n"+query+"\n") if (xhr.readyState === 4) { var success = (!xhr.status || (xhr.status >= 200 && xhr.status < 300)) if (!success) { console.log('sparql: update failed for <' + uri + '> status=' + xhr.status + ', ' + xhr.statusText + ', body length=' + xhr.responseText.length + '\n for query: ' + query) } else { console.log('sparql: update Ok for <' + uri + '>') } callback(uri, success, xhr.responseText, xhr) } } xhr.open('PATCH', uri, true) // async=true xhr.setRequestHeader('Content-type', 'application/sparql-update') xhr.send(query) } // This does NOT update the statement. // It returns an object whcih includes // function which can be used to change the object of the statement. // sparql.prototype.update_statement = function (statement) { if (statement && !statement.why) { return } var sparql = this var context = this._statement_context(statement) return { statement: statement ? [statement.subject, statement.predicate, statement.object, statement.why] : undefined, statementNT: statement ? this.anonymizeNT(statement) : undefined, where: sparql._context_where(context), set_object: function (obj, callback) { var query = this.where query += 'DELETE DATA { ' + this.statementNT + ' } ;\n' query += 'INSERT DATA { ' + this.anonymize(this.statement[0]) + ' ' + this.anonymize(this.statement[1]) + ' ' + this.anonymize(obj) + ' ' + ' . }\n' sparql._fire(this.statement[3].uri, query, callback) } } } sparql.prototype.insert_statement = function (st, callback) { var st0 = st instanceof Array ? st[0] : st var query = this._context_where(this._statement_context(st0)) if (st instanceof Array) { var stText = '' for (var i = 0; i < st.length; i++) stText += st[i] + '\n' query += 'INSERT DATA { ' + stText + ' }\n' } else { query += 'INSERT DATA { ' + this.anonymize(st.subject) + ' ' + this.anonymize(st.predicate) + ' ' + this.anonymize(st.object) + ' ' + ' . }\n' } this._fire(st0.why.uri, query, callback) } sparql.prototype.delete_statement = function (st, callback) { var st0 = st instanceof Array ? st[0] : st var query = this._context_where(this._statement_context(st0)) if (st instanceof Array) { var stText = '' for (var i = 0; i < st.length; i++) stText += st[i] + '\n' query += 'DELETE DATA { ' + stText + ' }\n' } else { query += 'DELETE DATA { ' + this.anonymize(st.subject) + ' ' + this.anonymize(st.predicate) + ' ' + this.anonymize(st.object) + ' ' + ' . }\n' } this._fire(st0.why.uri, query, callback) } // Request a now or future action to refresh changes coming downstream // // This is designed to allow the system to re-request the server version, // when a websocket has pinged to say there are changes. // If thewebsocket, by contrast, has sent a patch, then this may not be necessary. // This may be called out of context so *this* cannot be used. sparql.prototype.requestDownstreamAction = function (doc, action) { var control = this.patchControlFor(doc) if (!control.pendingUpstream) { action(doc) } else { if (control.downstreamAction) { if (control.downstreamAction === action) { return } else { throw new Error("Can't wait for > 1 differnt downstream actions") } } else { control.downstreamAction = action } } } // We want to start counting websockt notifications // to distinguish the ones from others from our own. sparql.prototype.clearUpstreamCount = function (doc) { var control = this.patchControlFor(doc) control.upstreamCount = 0 } sparql.prototype.getUpdatesVia = function (doc) { var linkHeaders = this.store.fetcher.getHeader(doc, 'updates-via') if (!linkHeaders || !linkHeaders.length) return null return linkHeaders[0].trim() } sparql.prototype.addDownstreamChangeListener = function (doc, listener) { var control = this.patchControlFor(doc) if (!control.downstreamChangeListeners) control.downstreamChangeListeners = [] control.downstreamChangeListeners.push(listener) var self = this this.setRefreshHandler(doc, function(doc){ // a function not a method self.reloadAndSync(doc) }) } sparql.prototype.reloadAndSync = function (doc) { var control = this.patchControlFor(doc) var updater = this if (control.reloading) { console.log(' Already reloading - stop') return // once only needed } control.reloading = true var retryTimeout = 1000 // ms var tryReload = function () { console.log('try reload - timeout = ' + retryTimeout) updater.reload(updater.store, doc, function (ok, message, xhr) { control.reloading = false if (ok) { if (control.downstreamChangeListeners) { for (var i = 0; i < control.downstreamChangeListeners.length; i++) { console.log(' Calling downstream listener ' + i) control.downstreamChangeListeners[i]() } } } else { if (xhr.status === 0) { console.log('Network error refreshing the data. Retrying in ' + retryTimeout / 1000) control.reloading = true retryTimeout = retryTimeout * 2 setTimeout(tryReload, retryTimeout) } else { console.log('Error ' + xhr.status + 'refreshing the data:' + message + '. Stopped' + doc) } } }) } tryReload() } // Set up websocket to listen on // // There is coordination between upstream changes and downstream ones // so that a reload is not done in the middle of an upsteeam patch. // If you usie this API then you get called when a change happens, and you // have to reload the file yourself, and then refresh the UI. // Alternative is addDownstreamChangeListener(), where you do not // have to do the reload yourslf. Do mot mix them. // // kb contains the HTTP metadata from prefvious operations // sparql.prototype.setRefreshHandler = function (doc, handler) { var wssURI = this.getUpdatesVia(doc) // relative // var kb = this.store var theHandler = handler var self = this var updater = this var retryTimeout = 1500 // *2 will be 3 Seconds, 6, 12, etc var retries = 0 if (!wssURI) { console.log('Server doies not support live updates thoughUpdates-Via :-(') return false } wssURI = uriJoin(wssURI, doc.uri) wssURI = wssURI.replace(/^http:/, 'ws:').replace(/^https:/, 'wss:') console.log('Web socket URI ' + wssURI) var openWebsocket = function () { // From https://github.com/solid/solid-spec#live-updates var socket if (typeof WebSocket !== 'undefined') { socket = new WebSocket(wssURI) } else if (typeof Services !== 'undefined') { // Firefox add on http://stackoverflow.com/questions/24244886/is-websocket-supported-in-firefox-for-android-addons socket = (Services.wm.getMostRecentWindow('navigator:browser').WebSocket)(wssURI) } else if (typeof window !== 'undefined' && window.WebSocket) { socket = window.WebSocket(wssURI) } else { console.log('Live update disabled, as WebSocket not supported by platform :-(') return } socket.onopen = function () { console.log(' websocket open') retryTimeout = 1500 // reset timeout to fast on success this.send('sub ' + doc.uri) if (retries) { console.log('Web socket has been down, better check for any news.') updater.requestDownstreamAction(doc, theHandler) } } var control = self.patchControlFor(doc) control.upstreamCount = 0 // https://developer.mozilla.org/en-US/docs/Web/API/CloseEvent // // 1000 CLOSE_NORMAL Normal closure; the connection successfully completed whatever purpose for which it was created. // 1001 CLOSE_GOING_AWAY The endpoint is going away, either // because of a server failure or because the browser is navigating away from the page that opened the connection. // 1002 CLOSE_PROTOCOL_ERROR The endpoint is terminating the connection due to a protocol error. // 1003 CLOSE_UNSUPPORTED The connection is being terminated because the endpoint // received data of a type it cannot accept (for example, a text-only endpoint received binary data). // 1004 Reserved. A meaning might be defined in the future. // 1005 CLOSE_NO_STATUS Reserved. Indicates that no status code was provided even though one was expected. // 1006 CLOSE_ABNORMAL Reserved. Used to indicate that a connection was closed abnormally ( // // socket.onclose = function (event) { console.log('*** Websocket closed with code ' + event.code + ", reason '" + event.reason + "' clean = " + event.clean) retryTimeout *= 2 retries += 1 console.log('Retrying in ' + retryTimeout + 'ms') // (ask user?) setTimeout(function () { console.log('Trying websocket again') openWebsocket() }, retryTimeout) } socket.onmessage = function (msg) { if (msg.data && msg.data.slice(0, 3) === 'pub') { if ('upstreamCount' in control) { control.upstreamCount -= 1 if (control.upstreamCount >= 0) { console.log('just an echo: ' + control.upstreamCount) return // Just an echo } } console.log('Assume a real downstream change: ' + control.upstreamCount + ' -> 0') control.upstreamCount = 0 self.requestDownstreamAction(doc, theHandler) } } } // openWebsocket openWebsocket() return true } // This high-level function updates the local store iff the web is changed successfully. // // - deletions, insertions may be undefined or single statements or lists or formulae. // (may contain bnodes which can be indirectly identified by a where clause) // // - callback is called as callback(uri, success, errorbody, xhr) // sparql.prototype.update = function (deletions, insertions, callback) { try { var kb = this.store var ds = !deletions ? [] : deletions instanceof IndexedFormula ? deletions.statements : deletions instanceof Array ? deletions : [ deletions ] var is = !insertions ? [] : insertions instanceof IndexedFormula ? insertions.statements : insertions instanceof Array ? insertions : [ insertions ] if (!(ds instanceof Array)) { throw new Error('Type Error ' + (typeof ds) + ': ' + ds) } if (!(is instanceof Array)) { throw new Error('Type Error ' + (typeof is) + ': ' + is) } if (ds.length === 0 && is.length === 0) { return callback(null, true) // success -- nothing needed to be done. } var doc = ds.length ? ds[0].why : is[0].why var control = this.patchControlFor(doc) var startTime = Date.now() var props = ['subject', 'predicate', 'object', 'why'] var verbs = ['insert', 'delete'] var clauses = { 'delete': ds, 'insert': is } verbs.map(function (verb) { clauses[verb].map(function (st) { if (!doc.sameTerm(st.why)) { throw new Error('update: destination ' + doc + ' inconsistent with delete quad ' + st.why) } props.map(function (prop) { if (typeof st[prop] === 'undefined') { throw new Error('update: undefined ' + prop + ' of statement.') } }) }) }) var protocol = this.editable(doc.uri, kb) if (!protocol) { throw new Error("Can't make changes in uneditable " + doc) } var i var newSts var documentString var sz if (protocol.indexOf('SPARQL') >= 0) { var bnodes = [] if (ds.length) bnodes = this._statement_array_bnodes(ds) if (is.length) bnodes = bnodes.concat(this._statement_array_bnodes(is)) var context = this._bnode_context(bnodes, doc) var whereClause = this._context_where(context) var query = '' if (whereClause.length) { // Is there a WHERE clause? if (ds.length) { query += 'DELETE { ' for (i = 0; i < ds.length; i++) { query += this.anonymizeNT(ds[i]) + '\n' } query += ' }\n' } if (is.length) { query += 'INSERT { ' for (i = 0; i < is.length; i++) { query += this.anonymizeNT(is[i]) + '\n' } query += ' }\n' } query += whereClause } else { // no where clause if (ds.length) { query += 'DELETE DATA { ' for (i = 0; i < ds.length; i++) { query += this.anonymizeNT(ds[i]) + '\n' } query += ' } \n' } if (is.length) { if (ds.length) query += ' ; ' query += 'INSERT DATA { ' for (i = 0; i < is.length; i++) { query += this.anonymizeNT(is[i]) + '\n' } query += ' }\n' } } // Track pending upstream patches until they have fnished their callback control.pendingUpstream = control.pendingUpstream ? control.pendingUpstream + 1 : 1 if ('upstreamCount' in control) { control.upstreamCount += 1 // count changes we originated ourselves console.log('upstream count up to : ' + control.upstreamCount) } this._fire(doc.uri, query, function (uri, success, body, xhr) { xhr.elapsedTime_ms = Date.now() - startTime console.log(' sparql: Return ' + (success ? 'success' : 'FAILURE ' + xhr.status) + ' elapsed ' + xhr.elapsedTime_ms + 'ms') if (success) { try { kb.remove(ds) } catch (e) { success = false body = 'Remote Ok BUT error deleting ' + ds.length + ' from store!!! ' + e } // Add in any case -- help recover from weirdness?? for (var i = 0; i < is.length; i++) { kb.add(is[i].subject, is[i].predicate, is[i].object, doc) } } callback(uri, success, body, xhr) control.pendingUpstream -= 1 // When upstream patches have been sent, reload state if downstream waiting if (control.pendingUpstream === 0 && control.downstreamAction) { var downstreamAction = control.downstreamAction delete control.downstreamAction console.log('delayed downstream action:') downstreamAction(doc) } }) } else if (protocol.indexOf('DAV') >= 0) { // The code below is derived from Kenny's UpdateCenter.js documentString var request = kb.any(doc, this.ns.link('request')) if (!request) { throw new Error('No record of our HTTP GET request for document: ' + doc) } // should not happen var response = kb.any(request, this.ns.link('response')) if (!response) { return null // throw "No record HTTP GET response for document: "+doc } var content_type = kb.the(response, this.ns.httph('content-type')).value // prepare contents of revised document newSts = kb.statementsMatching(undefined, undefined, undefined, doc).slice() // copy! for (i = 0; i < ds.length; i++) { Util.RDFArrayRemove(newSts, ds[i]) } for (i = 0; i < is.length; i++) { newSts.push(is[i]) } // serialize to te appropriate format sz = Serializer(kb) sz.suggestNamespaces(kb.namespaces) sz.setBase(doc.uri) // ?? beware of this - kenny (why? tim) switch (content_type) { case 'application/rdf+xml': documentString = sz.statementsToXML(newSts) break case 'text/n3': case 'text/turtle': case 'application/x-turtle': // Legacy case 'application/n3': // Legacy documentString = sz.statementsToN3(newSts) break default: throw new Error('Content-type ' + content_type + ' not supported for data write') } // Write the new version back var candidateTarget = kb.the(response, this.ns.httph('content-location')) var targetURI if (candidateTarget) { targetURI = uriJoin(candidateTarget.value, targetURI) } var xhr = Util.XMLHTTPFactory() xhr.options = {} xhr.onreadystatechange = function () { if (xhr.readyState === 4) { // formula from sparqlUpdate.js, what about redirects? var success = (!xhr.status || (xhr.status >= 200 && xhr.status < 300)) if (success) { for (var i = 0; i < ds.length; i++) { kb.remove(ds[i]) } for (i = 0; i < is.length; i++) { kb.add(is[i].subject, is[i].predicate, is[i].object, doc) } } callback(doc.uri, success, xhr.responseText) } } xhr.open('PUT', targetURI, true) // assume the server does PUT content-negotiation. xhr.setRequestHeader('Content-type', content_type) // OK? xhr.send(documentString) } else { if (protocol.indexOf('LOCALFILE') >= 0) { try { console.log('Writing back to local file\n') // See http://simon-jung.blogspot.com/2007/10/firefox-extension-file-io.html // prepare contents of revised document newSts = kb.statementsMatching(undefined, undefined, undefined, doc).slice() // copy! for (i = 0; i < ds.length; i++) { Util.RDFArrayRemove(newSts, ds[i]) } for (i = 0; i < is.length; i++) { newSts.push(is[i]) } // serialize to the appropriate format documentString sz = Serializer(kb) sz.suggestNamespaces(kb.namespaces) sz.setBase(doc.uri) // ?? beware of this - kenny (why? tim) var dot = doc.uri.lastIndexOf('.') if (dot < 1) { throw new Error('Rewriting file: No filename extension: ' + doc.uri) } var ext = doc.uri.slice(dot + 1) switch (ext) { case 'rdf': case 'owl': // Just my experence ...@@ we should keep the format in which it was parsed case 'xml': documentString = sz.statementsToXML(newSts) break case 'n3': case 'nt': case 'ttl': documentString = sz.statementsToN3(newSts) break default: throw new Error('File extension .' + ext + ' not supported for data write') } // Write the new version back // create component for file writing console.log('Writing back: <<<' + documentString + '>>>') var filename = doc.uri.slice(7) // chop off file:// leaving /path // console.log("Writeback: Filename: "+filename+"\n") var file = Components.classes['@mozilla.org/file/local;1'] .createInstance(Components.interfaces.nsILocalFile) file.initWithPath(filename) if (!file.exists()) { throw new Error('Rewriting file <' + doc.uri + '> but it does not exist!') } // { // file.create( Components.interfaces.nsIFile.NORMAL_FILE_TYPE, 420) // } // create file output stream and use write/create/truncate mode // 0x02 writing, 0x08 create file, 0x20 truncate length if exist var stream = Components.classes['@mozilla.org/network/file-output-stream;1'] .createInstance(Components.interfaces.nsIFileOutputStream) // Various JS systems object to 0666 in struct mode as dangerous stream.init(file, 0x02 | 0x08 | 0x20, parseInt('0666', 8), 0) // write data to file then close output stream stream.write(documentString, documentString.length) stream.close() for (i = 0; i < ds.length; i++) { kb.remove(ds[i]) } for (i = 0; i < is.length; i++) { kb.add(is[i].subject, is[i].predicate, is[i].object, doc) } callback(doc.uri, true, '') // success! } catch (e) { callback(doc.uri, false, 'Exception trying to write back file <' + doc.uri + '>\n' // + tabulator.Util.stackString(e)) ) } } else { throw new Error("Unhandled edit method: '" + protocol + "' for " + doc) } } } catch (e) { callback(undefined, false, 'Exception in update: ' + e + '\n' + $rdf.Util.stackString(e)) } } // wnd update // This suitable for an inital creation of a document // // data: string, or array of statements // sparql.prototype.put = function (doc, data, content_type, callback) { var documentString var kb = this.store if (typeof data === typeof '') { documentString = data } else { // serialize to te appropriate format var sz = Serializer(kb) sz.suggestNamespaces(kb.namespaces) sz.setBase(doc.uri) switch (content_type) { case 'application/rdf+xml': documentString = sz.statementsToXML(data) break case 'text/n3': case 'text/turtle': case 'application/x-turtle': // Legacy case 'application/n3': // Legacy documentString = sz.statementsToN3(data) break default: throw new Error('Content-type ' + content_type + ' not supported for data PUT') } } var xhr = Util.XMLHTTPFactory() xhr.options = {} xhr.onreadystatechange = function () { if (xhr.readyState === 4) { // formula from sparqlUpdate.js, what about redirects? var success = (!xhr.status || (xhr.status >= 200 && xhr.status < 300)) if (success && typeof data !== 'string') { data.map(function (st) { kb.addStatement(st) }) // kb.fetcher.requested[doc.uri] = true // as though fetched } if (success) { delete kb.fetcher.nonexistant[doc.uri] delete kb.fetcher.requested[doc.uri] // @@ later we can fake it has been requestd if put gives us the header sand we save them. } callback(doc.uri, success, xhr.responseText, xhr) } } xhr.open('PUT', doc.uri, true) xhr.setRequestHeader('Content-type', content_type) xhr.send(documentString) } // Reload a document. // // Fast and cheap, no metaata // Measure times for the document // Load it provisionally // Don't delete the statemenst before the load, or it will leave a broken document // in the meantime. sparql.prototype.reload = function (kb, doc, callback) { var startTime = Date.now() // force sets no-cache and kb.fetcher.nowOrWhenFetched(doc.uri, {force: true, noMeta: true, clearPreviousData: true}, function (ok, body, xhr) { if (!ok) { console.log(' ERROR reloading data: ' + body) callback(false, 'Error reloading data: ' + body, xhr) } else if (xhr.onErrorWasCalled || xhr.status !== 200) { console.log(' Non-HTTP error reloading data! onErrorWasCalled=' + xhr.onErrorWasCalled + ' status: ' + xhr.status) callback(false, 'Non-HTTP error reloading data: ' + body, xhr) } else { var elapsedTime_ms = Date.now() - startTime if (!doc.reloadTime_total) doc.reloadTime_total = 0 if (!doc.reloadTime_count) doc.reloadTime_count = 0 doc.reloadTime_total += elapsedTime_ms doc.reloadTime_count += 1 console.log(' Fetch took ' + elapsedTime_ms + 'ms, av. of ' + doc.reloadTime_count + ' = ' + (doc.reloadTime_total / doc.reloadTime_count) + 'ms.') callback(true) } }) } sparql.prototype.oldReload = function (kb, doc, callback) { var g2 = graph() // A separate store to hold the data as we load it var f2 = fetcher(g2) var startTime = Date.now() // force sets no-cache and f2.nowOrWhenFetched(doc.uri, {force: true, noMeta: true, clearPreviousData: true}, function (ok, body, xhr) { if (!ok) { console.log(' ERROR reloading data: ' + body) callback(false, 'Error reloading data: ' + body, xhr) } else if (xhr.onErrorWasCalled || xhr.status !== 200) { console.log(' Non-HTTP error reloading data! onErrorWasCalled=' + xhr.onErrorWasCalled + ' status: ' + xhr.status) callback(false, 'Non-HTTP error reloading data: ' + body, xhr) } else { var sts1 = kb.statementsMatching(undefined, undefined, undefined, doc).slice() // Take a copy!! var sts2 = g2.statementsMatching(undefined, undefined, undefined, doc).slice() console.log(' replacing ' + sts1.length + ' with ' + sts2.length + ' out of total statements ' + kb.statements.length) kb.remove(sts1) kb.add(sts2) var elapsedTime_ms = Date.now() - startTime if (sts2.length === 0) { console.log('????????????????? 0000000') } if (!doc.reloadTime_total) doc.reloadTime_total = 0 if (!doc.reloadTime_count) doc.reloadTime_count = 0 doc.reloadTime_total += elapsedTime_ms doc.reloadTime_count += 1 console.log(' fetch took ' + elapsedTime_ms + 'ms, av. of ' + doc.reloadTime_count + ' = ' + (doc.reloadTime_total / doc.reloadTime_count) + 'ms.') callback(true) } }) } return sparql })() module.exports = UpdateManager
aolite/SemanticHub
node_modules/rdflib/src/update-manager.js
JavaScript
cc0-1.0
37,528
package tb.common.block; import tb.common.item.ItemNodeFoci; import tb.common.tile.TileNodeManipulator; import tb.init.TBItems; import net.minecraft.block.Block; import net.minecraft.block.BlockContainer; import net.minecraft.block.material.Material; import net.minecraft.entity.item.EntityItem; import net.minecraft.entity.player.EntityPlayer; import net.minecraft.item.ItemStack; import net.minecraft.tileentity.TileEntity; import net.minecraft.world.World; public class BlockNodeManipulator extends BlockContainer{ public BlockNodeManipulator() { super(Material.rock); } @Override public TileEntity createNewTileEntity(World w, int meta) { return new TileNodeManipulator(); } public boolean isOpaqueCube() { return false; } public boolean renderAsNormalBlock() { return false; } public int getRenderType() { return 0x421922; } public boolean onBlockActivated(World w, int x, int y, int z, EntityPlayer p, int side, float vecX, float vecY, float vecZ) { if(p.getCurrentEquippedItem() != null) { ItemStack current = p.getCurrentEquippedItem(); if(current.getItem() instanceof ItemNodeFoci) { if(w.getBlockMetadata(x, y, z) != 0) { int meta = w.getBlockMetadata(x, y, z); ItemStack stk = new ItemStack(TBItems.nodeFoci,1,meta-1); EntityItem itm = new EntityItem(w,x+0.5D,y,z+0.5D,stk); if(!w.isRemote) w.spawnEntityInWorld(itm); } w.setBlockMetadataWithNotify(x, y, z, current.getItemDamage()+1, 3); p.destroyCurrentEquippedItem(); return true; } }else { if(w.getBlockMetadata(x, y, z) != 0) { int meta = w.getBlockMetadata(x, y, z); ItemStack stk = new ItemStack(TBItems.nodeFoci,1,meta-1); EntityItem itm = new EntityItem(w,x+0.5D,y,z+0.5D,stk); if(!w.isRemote) w.spawnEntityInWorld(itm); } w.setBlockMetadataWithNotify(x, y, z, 0, 3); } return true; } @Override public void breakBlock(World w, int x, int y, int z, Block b, int meta) { if(meta > 0) //Fix for the manipulator not dropping the foci. { ItemStack foci = new ItemStack(TBItems.nodeFoci,1,meta-1); EntityItem itm = new EntityItem(w,x+0.5D,y+0.5D,z+0.5D,foci); if(!w.isRemote) w.spawnEntityInWorld(itm); } super.breakBlock(w, x, y, z, b, meta); } }
KryptonCaptain/ThaumicBases
src/main/java/tb/common/block/BlockNodeManipulator.java
Java
cc0-1.0
2,456
// Global Vars to set var musicas = new Array(11); musicas[0] = 0; // Wheel A musicas[1] = 0; // Whell B musicas[2] = "0;"; // A1 musicas[3] = "0;"; // A2 musicas[4] = "0;"; // A3 musicas[5] = "0;"; // A4 musicas[6] = "0;"; // B1 musicas[7] = "0;"; // B2 musicas[8] = "0;"; // B3 musicas[9] = "0;"; // B4 musicas[10] = 0; // Sings function ativa_facebook(){ alert('Aguarde...'); FB.api('/me', function(response) { // console.log(response); // NORMAL ACTION $.post('getUser.php', { facebookId: response.id}, function(data){ if(data.success){ //INSERE APENAS BATIDA $.post('salva_som.php?opc=1', { m1: musicas[0], m2: musicas[1], m3: musicas[2]+musicas[3]+musicas[4]+musicas[5]+musicas[6]+musicas[7]+musicas[8]+musicas[9], m4: musicas[10], usuario: data.usuario }, function(data){ if(data.success){ var image = Math.floor((Math.random()*3)+1); FB.api('/me/feed', 'post', { message: 'Sinta o sabor da minha batida no FLAVOR DJ: o gerador de som exclusivo do BH DANCE FESTIVAL. BH Dance Festival. A CIDADE NA PISTA.', link: 'https://apps.facebook.com/flavordj/?minhaBatida='+data.batida, picture: 'https://lit-castle-9930.herokuapp.com/img/share/flavor'+image+'.jpg' }, function(response) { if (!response || response.error) { alert('Error occured'); } else { alert('Sua batida foi compartilhada com sucesso!'); } }); } }, 'json'); }else{ //INSERE BATIDA E USUARIO $.post('salva_som.php?opc=2', { m1: musicas[0], m2: musicas[1], m3: musicas[2]+musicas[3]+musicas[4]+musicas[5]+musicas[6]+musicas[7]+musicas[8]+musicas[9], m4: musicas[10], facebookId: response.id, nome: response.name, email: response.email, sexo: response.gender, cidade: '' }, function(data){ if(data.success){ var image = Math.floor((Math.random()*3)+1); FB.api('/me/feed', 'post', { message: 'Sinta o sabor da minha batida no FLAVOR DJ: o gerador de som exclusivo do BH DANCE FESTIVAL. BH Dance Festival. A CIDADE NA PISTA.', link: 'https://apps.facebook.com/flavordj/?minhaBatida='+data.batida, picture: 'https://lit-castle-9930.herokuapp.com/img/share/flavor'+image+'.jpg' }, function(response) { if (!response || response.error) { alert('Error occured'); } else { alert('Sua batida foi compartilhada com sucesso!'); } }); } }, 'json'); } }, 'json'); }); } function computa_voto(batida){ FB.api('/me', function(response) { //console.log(response); // NORMAL ACTION $.post('getVoto.php', { facebookId: response.id}, function(data){ if(data.success){ alert('Você já votou em uma batida, obrigado por participar!'); }else{ //INSERE NO BD $.post('computa_voto.php', { facebookId: response.id, batida: batida }, function(data){ if(data.success){ } }, 'json'); } }, 'json'); }); } function login() { alert('Você ainda não tem o aplicativo do Flavor DJ. Instale-o primeiro para compartilhar sua batida.'); FB.login(function(response) { if (response.authResponse) { ativa_facebook(); } else { } }, {scope: 'email, publish_stream'}); } function desativaetp1(){ $('.audio1').jPlayer("stop"); $('.audio2').jPlayer("stop"); $('.audio3').jPlayer("stop"); $('.audio4').jPlayer("stop"); musicas[0] = "0;"; $('.etapa1, .guide .etapa1 div, .etapa1 li').removeClass('ativo'); $('.etapa1').css('z-index', 2); } function desativaetp2(){ $('.audio5').jPlayer("stop"); $('.audio6').jPlayer("stop"); $('.audio7').jPlayer("stop"); $('.audio8').jPlayer("stop"); musicas[1] = "0;"; $('.etapa2, .guide .etapa2 div, .etapa2 li').removeClass('ativo'); $('.etapa2').css('z-index', 2); } function desativaetpr(idPlayer, cod){ musicas[cod] = "0;"; $('.audio'+idPlayer).jPlayer("stop"); $('.etapa3').css('z-index', 2); } function desativaetp5(){ $('.audio17').jPlayer("stop"); $('.audio18').jPlayer("stop"); $('.audio19').jPlayer("stop"); $('.audio20').jPlayer("stop"); musicas[10] = "0;"; $('.etapa5, .guide .etapa5 div, .etapa5 li').removeClass('ativo'); $('.etapa5').css('z-index', 2); } function ativa_anima(){ $('.whel1 div.a').delay(300).animate({ height: '0px' }, 1000); $('.whel1 div.b').delay(300).animate({ height: '0px' }, 1000, function(){ $('.whel2 div.a').delay(300).animate({ width: '0px' }, 1000); $('.whel2 div.b').delay(300).animate({ width: '0px' }, 1000); }); } $(document).ready(function(){ //login_start(); $('.etapa1').click(function(){ if($(this).hasClass('ativo')){ desativaetp1(); }else{ desativaetp1(); $(this).addClass('ativo'); $(this).css('z-index', 1); var audioPlayer = $(this).attr('href'); musicas[0] = audioPlayer; $('.guide .etapa1 div.p'+audioPlayer).addClass('ativo'); $('.visor .etapa1 li.p'+audioPlayer).addClass('ativo'); $(".audio"+audioPlayer).jPlayer("play", 0); } return false; }) $('.etapa2').click(function(){ if($(this).hasClass('ativo')){ desativaetp2(); }else{ desativaetp2(); $(this).addClass('ativo'); $(this).css('z-index', 1); var audioPlayer = $(this).attr('href'); musicas[1] = audioPlayer; $('.guide .etapa2 div.p'+audioPlayer).addClass('ativo'); $('.visor .etapa2 li.p'+audioPlayer).addClass('ativo'); $(".audio"+audioPlayer).jPlayer("play", 0); } return false; }) $('.etapa3').click(function(){ var audioPlayer = $(this).attr('href'); var codigo = $(this).data('codigo'); if($(this).hasClass('ativo')){ desativaetpr(audioPlayer,codigo); $('.guide .etapa3 div.p'+audioPlayer).removeClass('ativo'); $('.visor .etapa3 li.p'+audioPlayer).removeClass('ativo'); $(this).removeClass('ativo'); }else{ $(this).addClass('ativo'); $('.guide .etapa3 div.p'+audioPlayer).addClass('ativo'); $('.visor .etapa3 li.p'+audioPlayer).addClass('ativo'); $(this).css('z-index', 1); musicas[codigo] = audioPlayer+";"; $(".audio"+audioPlayer).jPlayer("play", 0); } return false; }) $('.etapa4').click(function(){ var audioPlayer = $(this).attr('href'); var cod = $(this).data('codigo'); if($(this).hasClass('ativo')){ desativaetpr(audioPlayer, cod); $('.guide .etapa4 div.p'+audioPlayer).removeClass('ativo'); $('.visor .etapa4 li.p'+audioPlayer).removeClass('ativo'); $(this).removeClass('ativo'); }else{ $(this).addClass('ativo'); $('.guide .etapa4 div.p'+audioPlayer).addClass('ativo'); $('.visor .etapa4 li.p'+audioPlayer).addClass('ativo'); musicas[cod] = audioPlayer+";"; $(".audio"+audioPlayer).jPlayer("play", 0); } return false; }) $('.etapa5').click(function(){ if($(this).hasClass('ativo')){ desativaetp5(); }else{ desativaetp5(); $(this).addClass('ativo'); var audioPlayer = $(this).attr('href'); musicas[10] = audioPlayer; $('.guide .etapa5 div.p'+audioPlayer).addClass('ativo'); $('.visor .etapa5 li.p'+audioPlayer).addClass('ativo'); $(".audio"+audioPlayer).jPlayer("play", 0); } return false; }) $(".audio1").jPlayer({ ready: function (event) { $(this).jPlayer("setMedia", { oga: "https://lit-castle-9930.herokuapp.com/sounds/pct1/1.ogg", mp3: "https://lit-castle-9930.herokuapp.com/sounds/pct1/1.mp3" } )}, swfPath: "js", supplied: "oga, mp3", wmode: "window", loop: true, preload: 'auto' }); $(".audio2").jPlayer({ ready: function (event) { $(this).jPlayer("setMedia", { oga: "https://lit-castle-9930.herokuapp.com/sounds/pct1/2.ogg", mp3: "https://lit-castle-9930.herokuapp.com/sounds/pct1/2.mp3" } )}, swfPath: "js", supplied: "oga, mp3", wmode: "window", loop: true, preload: 'auto' }); $(".audio3").jPlayer({ ready: function (event) { $(this).jPlayer("setMedia", { oga: "https://lit-castle-9930.herokuapp.com/sounds/pct1/3.ogg", mp3: "https://lit-castle-9930.herokuapp.com/sounds/pct1/3.mp3" } )}, swfPath: "js", supplied: "oga, mp3", wmode: "window", loop: true, preload: 'auto' }); $(".audio4").jPlayer({ ready: function (event) { $(this).jPlayer("setMedia", { oga: "https://lit-castle-9930.herokuapp.com/sounds/pct1/4.ogg", mp3: "https://lit-castle-9930.herokuapp.com/sounds/pct1/4.mp3" } )}, swfPath: "js", supplied: "oga, mp3", wmode: "window", loop: true, preload: 'auto' }); $(".audio5").jPlayer({ ready: function (event) { $(this).jPlayer("setMedia", { oga: "https://lit-castle-9930.herokuapp.com/sounds/pct2/1.ogg", mp3: "https://lit-castle-9930.herokuapp.com/sounds/pct2/1.mp3" } )}, swfPath: "js", supplied: "oga, mp3", wmode: "window", loop: true, preload: 'auto' }); $(".audio6").jPlayer({ ready: function (event) { $(this).jPlayer("setMedia", { oga: "https://lit-castle-9930.herokuapp.com/sounds/pct2/2.ogg", mp3: "https://lit-castle-9930.herokuapp.com/sounds/pct2/2.mp3" } )}, swfPath: "js", supplied: "oga, mp3", wmode: "window", loop: true, preload: 'auto' }); $(".audio7").jPlayer({ ready: function (event) { $(this).jPlayer("setMedia", { oga: "https://lit-castle-9930.herokuapp.com/sounds/pct2/3.ogg", mp3: "https://lit-castle-9930.herokuapp.com/sounds/pct2/3.mp3" } )}, swfPath: "js", supplied: "oga, mp3", wmode: "window", loop: true, preload: 'auto' }); $(".audio8").jPlayer({ ready: function (event) { $(this).jPlayer("setMedia", { oga: "https://lit-castle-9930.herokuapp.com/sounds/pct2/4.ogg", mp3: "https://lit-castle-9930.herokuapp.com/sounds/pct2/4.mp3" } )}, swfPath: "js", supplied: "oga, mp3", wmode: "window", loop: true, preload: 'auto' }); $(".audio9").jPlayer({ ready: function (event) { $(this).jPlayer("setMedia", { oga: "https://lit-castle-9930.herokuapp.com/sounds/pct3/1.ogg", mp3: "https://lit-castle-9930.herokuapp.com/sounds/pct3/1.mp3" } )}, swfPath: "js", supplied: "oga, mp3", wmode: "window", loop: true, preload: 'auto' }); $(".audio10").jPlayer({ ready: function (event) { $(this).jPlayer("setMedia", { oga: "https://lit-castle-9930.herokuapp.com/sounds/pct3/2.ogg", mp3: "https://lit-castle-9930.herokuapp.com/sounds/pct3/2.mp3" } )}, swfPath: "js", supplied: "oga, mp3", wmode: "window", loop: true, preload: 'auto' }); $(".audio11").jPlayer({ ready: function (event) { $(this).jPlayer("setMedia", { oga: "https://lit-castle-9930.herokuapp.com/sounds/pct3/3.ogg", mp3: "https://lit-castle-9930.herokuapp.com/sounds/pct3/3.mp3" } )}, swfPath: "js", supplied: "oga, mp3", wmode: "window", loop: true, preload: 'auto' }); $(".audio12").jPlayer({ ready: function (event) { $(this).jPlayer("setMedia", { oga: "https://lit-castle-9930.herokuapp.com/sounds/pct3/4.ogg", mp3: "https://lit-castle-9930.herokuapp.com/sounds/pct3/4.mp3" } )}, swfPath: "js", supplied: "oga, mp3", wmode: "window", loop: true, preload: 'auto' }); $(".audio13").jPlayer({ ready: function (event) { $(this).jPlayer("setMedia", { oga: "https://lit-castle-9930.herokuapp.com/sounds/pct4/1.ogg", mp3: "https://lit-castle-9930.herokuapp.com/sounds/pct4/1.mp3" } )}, swfPath: "js", supplied: "oga, mp3", wmode: "window", loop: true, preload: 'auto' }); $(".audio14").jPlayer({ ready: function (event) { $(this).jPlayer("setMedia", { oga: "https://lit-castle-9930.herokuapp.com/sounds/pct4/2.ogg", mp3: "https://lit-castle-9930.herokuapp.com/sounds/pct4/2.mp3" } )}, swfPath: "js", supplied: "oga, mp3", wmode: "window", loop: true, preload: 'auto' }); $(".audio15").jPlayer({ ready: function (event) { $(this).jPlayer("setMedia", { oga: "https://lit-castle-9930.herokuapp.com/sounds/pct4/3.ogg", mp3: "https://lit-castle-9930.herokuapp.com/sounds/pct4/3.mp3" } )}, swfPath: "js", supplied: "oga, mp3", wmode: "window", loop: true, preload: 'auto' }); $(".audio16").jPlayer({ ready: function (event) { $(this).jPlayer("setMedia", { oga: "https://lit-castle-9930.herokuapp.com/sounds/pct4/4.ogg", mp3: "https://lit-castle-9930.herokuapp.com/sounds/pct4/4.mp3" } )}, swfPath: "js", supplied: "oga, mp3", wmode: "window", loop: true, preload: 'auto' }); $(".audio17").jPlayer({ ready: function (event) { $(this).jPlayer("setMedia", { oga: "https://lit-castle-9930.herokuapp.com/sounds/pct5/1.ogg", mp3: "https://lit-castle-9930.herokuapp.com/sounds/pct5/1.mp3" } )}, swfPath: "js", supplied: "oga, mp3", wmode: "window", loop: true, preload: 'auto' }); $(".audio18").jPlayer({ ready: function (event) { $(this).jPlayer("setMedia", { oga: "https://lit-castle-9930.herokuapp.com/sounds/pct5/2.ogg", mp3: "https://lit-castle-9930.herokuapp.com/sounds/pct5/2.mp3" } )}, swfPath: "js", supplied: "oga, mp3", wmode: "window", loop: true, preload: 'auto' }); $(".audio19").jPlayer({ ready: function (event) { $(this).jPlayer("setMedia", { oga: "https://lit-castle-9930.herokuapp.com/sounds/pct5/3.ogg", mp3: "https://lit-castle-9930.herokuapp.com/sounds/pct5/3.mp3" } )}, swfPath: "js", supplied: "oga, mp3", wmode: "window", loop: true, preload: 'auto' }); $(".audio20").jPlayer({ ready: function (event) { $(this).jPlayer("setMedia", { oga: "https://lit-castle-9930.herokuapp.com/sounds/pct5/4.ogg", mp3: "https://lit-castle-9930.herokuapp.com/sounds/pct5/4.mp3" } )}, swfPath: "js", supplied: "oga, mp3", wmode: "window", loop: true, preload: 'auto' }); $('body').queryLoader2( { onLoadComplete: ativa_anima() } ); function login_start() { //alert('Você ainda não tem o aplicativo do Flavor DJ. Instale-o primeiro para compartilhar sua batida.'); FB.login(function(response) { if (response.authResponse) { // ativa_facebook(); } else { } }, {scope: 'email, publish_stream'}); } // Share var cont = 0 var i = 0; $('a.share').click(function(){ cont = 0; for(i = 0; i<11; i++){ if((musicas[i] == "0;") || (musicas[i] == 0)){ cont++; } } if(cont == 11){ alert('Você precisa selecionar pelo menos um ingrediente para sua batida.'); }else{ FB.getLoginStatus(function(response) { // console.log(response); if (response.status === 'connected') { // NORMAL ACTION ativa_facebook(); } else if (response.status === 'not_authorized') { login(); window.location.reload(); } else { login(); window.location.reload(); } }); } return false; }); $('.votarBatida').click(function(){ var batida = $(this).attr('href'); FB.getLoginStatus(function(response) { if (response.status === 'connected') { // NORMAL ACTION computa_voto(batida); } else if (response.status === 'not_authorized') { FB.login(function(response) { if (response.authResponse) { // NORMAL ACTION computa_voto(batida); } else { // console.log('Sua batida não foi compartilhada.'); } }, {scope: 'email, publish_stream'}); } else { FB.login(function(response) { if (response.authResponse) { // NORMAL ACTION computa_voto(batida); } else { //console.log('Sua batida não foi compartilhada.'); } }, {scope: 'email, publish_stream'}); } }); }); });
mateuslopesbh/flavordj
js/funcoes.js
JavaScript
cc0-1.0
16,201
$(document).ready( function () { // Add return on top button $('body').append('<div id="returnOnTop" title="Retour en haut">&nbsp;</div>'); // On button click, let's scroll up to top $('#returnOnTop').click( function() { $('html,body').animate({scrollTop: 0}, 'slow'); }); }); $(window).scroll(function() { // If on top fade the bouton out, else fade it in if ( $(window).scrollTop() == 0 ) $('#returnOnTop').fadeOut(); else $('#returnOnTop').fadeIn(); });
samszo/THYP-1516
FatihiZakaria/trombino/returnOnTop.js
JavaScript
cc0-1.0
497
const electron = require('electron') const app = electron.app const BrowserWindow = electron.BrowserWindow const {ipcMain} = require('electron') const {dialog} = require('electron') const {Menu} = require('electron') import {enableLiveReload} from 'electron-compile' const path = require('path') const url = require('url') const fs = require('fs') enableLiveReload() //Window Creation var windowArray = [] exports.windowCount = 0 function createWindow () { // Create the new browser window. windowArray.push( new BrowserWindow({width: 800, height: 600}) ) exports.windowCount = windowArray.length var newWindow = windowArray[exports.windowCount-1] // windowArray[windowCount-1].maximize() // and load the index.html of the app. newWindow.loadURL(url.format({ pathname: path.join(__dirname, 'html/index.html'), protocol: 'file:', slashes: true })) // Emitted when the window is closed. newWindow.on('closed', function () { newWindow = null }) } app.on('ready', createWindow) app.on('window-all-closed', function () { if (process.platform !== 'darwin') { app.quit() } }) // app.on('activate', function () { // // On OS X it's common to re-create a window in the app when the // // dock icon is clicked and there are no other windows open. // if (mainWindow === null) { // createWindow() // } // }) //Menus var template = [ { label: 'File', submenu: [ {label: 'New Project'}, {label: 'Open Project'}, {label: 'Import File'}, {type: 'separator'}, {label: 'Save'}, {label: 'Save As'}, {label: 'Settings'} ] }, { label: 'Edit', submenu: [ {role: 'undo'}, {role: 'redo'}, {type: 'separator'}, {role: 'cut'}, {role: 'copy'}, {role: 'paste'}, {role: 'delete'}, {role: 'selectall'} ] }, { label: 'Window', submenu: [ {label: 'New Window', click: createWindow}, {role: 'minimize'}, {type: 'separator'}, {role: 'toggledevtools'}, {role: 'close'} ] }, ] var mainMenu = Menu.buildFromTemplate(template) Menu.setApplicationMenu(mainMenu) //File Functions function importFile (event) { dialog.showOpenDialog({properties: ['openFile', 'multiSelections']}, (filePaths) => { console.log(filePaths) event.sender.send('importer', filePaths) }) } //IPC Functions ipcMain.on('window-manager', (event, arg) => { console.log(arg) if (arg == "New Window") { //Create new window createWindow() } }) ipcMain.on('file-manager', (event, arg) => { console.log(arg) if (arg == "Import Files") { importFile(event) } })
samfromcadott/kettle
main.js
JavaScript
cc0-1.0
2,539
from cStringIO import StringIO from struct import pack, unpack, error as StructError from .log import log from .structures import fields class DBFile(object): """ Base class for WDB and DBC files """ @classmethod def open(cls, file, build, structure, environment): if isinstance(file, basestring): file = open(file, "rb") instance = cls(file, build, environment) instance._readHeader() instance.setStructure(structure) instance._rowDynamicFields = 0 # Dynamic fields index, used when parsing a row instance._readAddresses() return instance def __init__(self, file=None, build=None, environment=None): self._addresses = {} self._values = {} self.file = file self.build = build self.environment = environment def __repr__(self): return "%s(file=%r, build=%r)" % (self.__class__.__name__, self.file, self.build) def __contains__(self, id): return id in self._addresses def __getitem__(self, item): if isinstance(item, slice): keys = sorted(self._addresses.keys())[item] return [self[k] for k in keys] if item not in self._values: self._parse_row(item) return self._values[item] def __setitem__(self, item, value): if not isinstance(item, int): raise TypeError("DBFile indices must be integers, not %s" % (type(item))) if isinstance(value, DBRow): self._values[item] = value self._addresses[item] = -1 else: # FIXME technically we should allow DBRow, but this is untested and will need resetting parent raise TypeError("Unsupported type for DBFile.__setitem__: %s" % (type(value))) def __delitem__(self, item): if item in self._values: del self._values[item] del self._addresses[item] def __iter__(self): return self._addresses.__iter__() def __len__(self): return len(self._addresses) def _add_row(self, id, address, reclen): if id in self._addresses: # Something's wrong here log.warning("Multiple instances of row %r found in %s" % (id, self.file.name)) self._addresses[id] = (address, reclen) def _parse_field(self, data, field, row=None): """ Parse a single field in stream. """ if field.dyn > self._rowDynamicFields: return None # The column doesn't exist in this row, we set it to None ret = None try: if isinstance(field, fields.StringField): ret = self._parse_string(data) elif isinstance(field, fields.DataField): # wowcache.wdb length = getattr(row, field.master) ret = data.read(length) elif isinstance(field, fields.DynamicMaster): ret, = unpack("<I", data.read(4)) self._rowDynamicFields = ret else: ret, = unpack("<%s" % (field.char), data.read(field.size)) except StructError: log.warning("Field %s could not be parsed properly" % (field)) ret = None return ret def supportsSeeking(self): return hasattr(self.file, "seek") def append(self, row): """ Append a row at the end of the file. If the row does not have an id, one is automatically assigned. """ i = len(self) + 1 # FIXME this wont work properly in incomplete files if "_id" not in row: row["_id"] = i self[i] = row def clear(self): """ Delete every row in the file """ for k in self.keys(): # Use key, otherwise we get RuntimeError: dictionary changed size during iteration del self[k] def keys(self): return self._addresses.keys() def items(self): return [(k, self[k]) for k in self] def parse_row(self, data, reclen=0): """ Assign data to a DBRow instance """ return DBRow(self, data=data, reclen=reclen) def values(self): """ Return a list of the file's values """ return [self[id] for id in self] def setRow(self, key, **values): self.__setitem__(key, DBRow(self, columns=values)) def size(self): if hasattr(self.file, "size"): return self.file.size() elif isinstance(self.file, file): from os.path import getsize return getsize(self.file.name) raise NotImplementedError def update(self, other): """ Update file from iterable other """ for k in other: self[k] = other[k] def write(self, filename=""): """ Write the file data on disk. If filename is not given, use currently opened file. """ _filename = filename or self.file.name data = self.header.data() + self.data() + self.eof() f = open(_filename, "wb") # Don't open before calling data() as uncached rows would be empty f.write(data) f.close() log.info("Written %i bytes at %s" % (len(data), f.name)) if not filename: # Reopen self.file, we modified it # XXX do we need to wipe self._values here? self.file.close() self.file = open(f.name, "rb") class DBRow(list): """ A database row. Names of the variables of that class should not be used in field names of structures """ initialized = False def __init__(self, parent, data=None, columns=None, reclen=0): self._parent = parent self._values = {} # Columns values storage self.structure = parent.structure self.initialized = True # needed for __setattr__ if columns: if type(columns) == list: self.extend(columns) elif type(columns) == dict: self._default() _cols = [k.name for k in self.structure] for k in columns: try: self[_cols.index(k)] = columns[k] except ValueError: log.warning("Column %r not found" % (k)) elif data: dynfields = 0 data = StringIO(data) for field in self.structure: _data = parent._parse_field(data, field, self) self.append(_data) if reclen: real_reclen = reclen + self._parent.row_header_size if data.tell() != real_reclen: log.warning("Reclen not respected for row %r. Expected %i, read %i. (%+i)" % (self.id, real_reclen, data.tell(), real_reclen-data.tell())) def __dir__(self): result = self.__dict__.keys() result.extend(self.structure.column_names) return result def __getattr__(self, attr): if attr in self.structure: return self._get_value(attr) if attr in self.structure._abstractions: # Union abstractions etc field, func = self.structure._abstractions[attr] return func(field, self) if "__" in attr: return self._query(attr) return super(DBRow, self).__getattribute__(attr) def __int__(self): return self.id def __setattr__(self, attr, value): # Do not preserve the value in DBRow! Use the save method to save. if self.initialized and attr in self.structure: self._set_value(attr, value) return super(DBRow, self).__setattr__(attr, value) def __setitem__(self, index, value): if not isinstance(index, int): raise TypeError("Expected int instance, got %s instead (%r)" % (type(index), index)) list.__setitem__(self, index, value) col = self.structure[index] self._values[col.name] = col.to_python(value, row=self) def _get_reverse_relation(self, table, field): """ Return a list of rows matching the reverse relation """ if not hasattr(self._parent, "_reverse_relation_cache"): self._parent._reverse_relation_cache = {} cache = self._parent._reverse_relation_cache tfield = table + "__" + field if tfield not in cache: cache[tfield] = {} # First time lookup, let's build the cache table = self._parent.environment.dbFile(table) for row in table: row = table[row] id = row._raw(field) if id not in cache[tfield]: cache[tfield][id] = [] cache[tfield][id].append(row) return cache[tfield].get(self.id, None) def _matches(self, **kwargs): for k, v in kwargs.items(): if not self._query(k, v): return False return True def _query(self, rel, value=None): """ Parse a django-like multilevel relationship """ rels = rel.split("__") if "" in rels: # empty string raise ValueError("Invalid relation string") first = rels[0] if not hasattr(self, first): if self._parent.environment.hasDbFile(first): # Handle reverse relations, eg spell__item for item table remainder = rel[len(first + "__"):] return self._get_reverse_relation(first, remainder) raise ValueError("Invalid relation string") ret = self rels = rels[::-1] special = { "contains": lambda x, y: x in y, "exact": lambda x, y: x == y, "icontains": lambda x, y: x.lower() in y.lower(), "iexact": lambda x, y: x.lower() == y.lower(), "gt": lambda x, y: x > y, "gte": lambda x, y: x >= y, "lt": lambda x, y: x < y, "lte": lambda x, y: x <= y, } while rels: if rels[-1] in special: if len(rels) != 1: # icontains always needs to be the last piece of the relation string raise ValueError("Invalid relation string") return special[rels[-1]](value, ret) else: ret = getattr(ret, rels.pop()) return ret def _set_value(self, name, value): index = self.structure.index(name) col = self.structure[index] self._values[name] = col.to_python(value, self) self[index] = value def _get_value(self, name): if name not in self._values: raw_value = self[self.structure.index(name)] self._set_value(name, raw_value) return self._values[name] def _raw(self, name): """ Returns the raw value from field 'name' """ index = self.structure.index(name) return self[index] def _save(self): for name in self._values: index = self.structure.index(name) col = self.structure[index] self[index] = col.from_python(self._values[name]) def _field(self, name): """ Returns the field 'name' """ index = self.structure.index(name) return self.structure[index] def _default(self): """ Change all fields to their default values """ del self[:] self._values = {} for col in self.structure: char = col.char if col.dyn: self.append(None) elif char == "s": self.append("") elif char == "f": self.append(0.0) else: self.append(0) def dict(self): """ Return a dict of the row as colname: value """ return dict(zip(self.structure.column_names, self)) def update(self, other): for k in other: self[k] = other[k] @property def id(self): "Temporary hack to transition between _id and id" return self._id
jleclanche/pywow
wdbc/main.py
Python
cc0-1.0
10,011
/* file "ia64/instr.cpp" */ /* Copyright (c) 2002 The President and Fellows of Harvard College All rights reserved. This software is provided under the terms described in the "machine/copyright.h" include file. */ #include <machine/copyright.h> #ifdef USE_PRAGMA_INTERFACE #pragma implementation "ia64/instr.h" #endif #include <machine/machine.h> #include <ia64/opcodes.h> #include <ia64/reg_info.h> #include <ia64/instr.h> #ifdef USE_DMALLOC #include <dmalloc.h> #define new D_NEW #endif using namespace ia64; /* ---------------- is_* helper routines ------------------- */ bool is_ldc_ia64(Instr *mi) { int o = get_opcode(mi); int s = get_stem(o); return ((s == MOV_IMM) || (s == MOVL)); } /* * Unconditional register-to-register copy within a single register file. */ bool is_move_ia64(Instr *mi) { int o = get_opcode(mi); int s = get_stem(o); if (((s == MOV_GR) || (s == MOV_FR)) && !is_predicated(mi)) return true; else return false; } bool is_cmove_ia64(Instr *mi) { int o = get_opcode(mi); int s = get_stem(o); if ((s >= MOV_AR) && (s <= MOVL) && is_predicated(mi)) return true; else return false; } bool has_qpred(Instr *mi) { if (srcs_size(mi) < 1) return false; int loc = srcs_size(mi) - 1; Opnd predOpnd = get_src(mi, loc); if (is_preg(predOpnd)) return true; else return false; } /* * Set qualifying predicate * This routine adds a qualifying predicate to the instruction * i.e. (qp) mov dst = src */ void set_qpred(Instr *mi, Opnd qp) { claim(is_preg(qp), "Attempting to add qp that isn't a preg"); if (has_qpred(mi)) set_src(mi, (srcs_size(mi)-1), qp); else append_src(mi, qp); } /* * Returns the qualifying predicate of the instruction or an error */ Opnd get_qpred(Instr *mi) { Opnd predOpnd; if (has_qpred(mi)) predOpnd = get_src(mi, (srcs_size(mi)-1)); else claim(false, "Oops, no predicate set on instruction!"); return predOpnd; } bool is_predicated_ia64(Instr *mi) { if (!has_qpred(mi)) return false; Opnd predOpnd = get_qpred(mi); if (predOpnd != opnd_pr_const1) return true; else return false; } bool is_line_ia64(Instr *mi) { int o = get_opcode(mi); int s = get_stem(o); return (s == LN); } bool is_ubr_ia64(Instr *mi) { int o = get_opcode(mi); int s = get_stem(o); return (((s == BR) || (s == BRL)) && !is_predicated(mi) && !is_call_ia64(mi) && !is_return_ia64(mi) && !is_mbr(mi)); } bool is_cbr_ia64(Instr *mi) { int o = get_opcode(mi); int s = get_stem(o); return (((s == BR) || (s == BRL)) && is_predicated(mi) && !is_call_ia64(mi) && !is_return_ia64(mi) && !is_mbr(mi)); } bool is_call_ia64(Instr *mi) { int o = get_opcode(mi); int s = get_stem(o); if ((s == BR) || (s == BRL)) { if (get_br_ext(o, 1) == BTYPE_CALL) return true; } return false; } bool is_return_ia64(Instr *mi) { int o = get_opcode(mi); int s = get_stem(o); if ((s == BR) || (s == BRL)) { if (get_br_ext(o, 1) == BTYPE_RET) return true; } else if (s == RFI) return true; return false; } bool is_triary_exp_ia64(Instr *mi) { int o = get_opcode(mi); int s = get_stem(o); switch (s) { case FMA: case FMS: case FNMA: case FPMA: case FPMS: case FPNMA: case FSELECT: case PSHLADD: case PSHRADD: case SHLADD: case SHLADDP4: case SHRP: case XMA: return true; default: return false; } } bool is_binary_exp_ia64(Instr *mi) { int o = get_opcode(mi); int s = get_stem(o); switch (s) { case ADD: case ADDP4: case AND: case ANDCM: case CMP: case CMP4: case CMPXCHG: case FADD: case FAMAX: case FAMIN: case FAND: case FANDCM: case FCMP: case FMAX: case FMERGE: case FMIN: case FMIX: case FMPY: case FNMPY: case FOR: case FPACK: case FPAMAX: case FPAMIN: case FPCMP: case FPMAX: case FPMERGE: case FPMIN: case FPMPY: case FPNMPY: case FPRCPA: case FRCPA: case FSUB: case FSWAP: case FSXT: case FXOR: case MIX: case OR: case PACK: case PADD: case PAVG: case PAVGSUB: case PCMP: case PMAX: case PMIN: case PMPY: case PROBE: case PSAD: case PSHL: case PSHR: case PSUB: case SHL: case SHR: case SUB: case TBIT: case UNPACK: case XMPY: case XOR: return true; default: return false; } } bool is_unary_exp_ia64(Instr *mi) { int o = get_opcode(mi); int s = get_stem(o); switch (s) { case CZX: case FABS: case FCVT_FX: case FCVT_XF: case FCVT_XUF: case FNEG: case FNEGABS: case FNORM: case FPCVT_FX: case FPNEG: case FPNEGABS: case FPRSQRTA: case FRSQRTA: case GETF: case POPCNT: case SETF: case SXT: case TAK: case THASH: case TNAT: case TPA: case TTAG: case ZXT: return true; default: return false; } } bool is_commutative_ia64(Instr *mi) { int opc = get_opcode(mi); int st = get_stem(opc); switch (st) { case ADD: case ADDP4: case AND: case OR: /* The above have an immediate form that cannot be reversed */ return !is_immed(get_src(mi, 1)); case CMP: case CMP4: /* The next set have relational operators that can only be reversed if they are set to "EQUAL" */ return (get_ext(opc, 1) == CREL_EQ); case FCMP: case FPCMP: return (get_ext(opc, 1) == FREL_EQ); case PCMP: return (get_ext(opc, 1) == PREL_EQ); case FADD: case FAMAX: case FAMIN: case FAND: case FMAX: case FMIN: case FMPY: case FNMPY: case FOR: case FPAMAX: case FPAMIN: case FPMAX: case FPMIN: case FPMPY: case FPNMPY: case FXOR: case PADD: case PAVG: case PMAX: case PMIN: case PMPY: case PSAD: case XMPY: case XOR: return true; default: return false; } } bool is_two_opnd_ia64(Instr *instr) { return false; } bool reads_memory_ia64(Instr *instr) { int o = get_opcode(instr); int s = get_stem(o); switch (s) { case CMPXCHG: case FETCHADD: case LD: case LDF: case LDFP: case LFETCH: case XCHG: return true; default: return false; } } bool writes_memory_ia64(Instr *instr) { int o = get_opcode(instr); int s = get_stem(o); switch (s) { case ST: case STF: return true; default: return false; } }
nxt4hll/roccc-2.0
roccc-compiler/src/NuSuif/machsuif/z_notneeded/ia64/instr.cpp
C++
epl-1.0
6,354
/** * Created by visual studio 2010 * User: xuheng * Date: 12-3-6 * Time: 下午21:23 * To get the value of editor and output the value . */ using System; using System.Web; namespace FineUI.Examples { public class getContent : IHttpHandler { public void ProcessRequest(HttpContext context) { context.Response.ContentType = "text/html"; //获取数据 string content = context.Server.HtmlEncode(context.Request.Form["myEditor"]); string content1 = context.Server.HtmlEncode(context.Request.Form["myEditor1"]); //存入数据库或者其他操作 //------------- //显示 context.Response.Write("<script src='../uparse.js' type='text/javascript'></script>"); context.Response.Write( "<script>uParse('.content',{" + "'highlightJsUrl':'../third-party/SyntaxHighlighter/shCore.js'," + "'highlightCssUrl':'../third-party/SyntaxHighlighter/shCoreDefault.css'" + "})" + "</script>"); context.Response.Write("第1个编辑器的值"); context.Response.Write("<div class='content'>" + context.Server.HtmlDecode(content) + "</div>"); context.Response.Write("<br/>第2个编辑器的值<br/>"); context.Response.Write("<textarea class='content' style='width:500px;height:300px;'>" + context.Server.HtmlDecode(content1) + "</textarea><br/>"); } public bool IsReusable { get { return false; } } } }
proson/project
FineUI.Examples/ueditor/net/getContent.ashx.cs
C#
epl-1.0
1,663
/******************************************************************************* * Copyright (c) 2004 Actuate Corporation. * 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: * Actuate Corporation - initial API and implementation * Ing. Gerd Stockner (Mayr-Melnhof Karton Gesellschaft m.b.H.) - modifications * Christian Voller (Mayr-Melnhof Karton Gesellschaft m.b.H.) - modifications * CoSMIT GmbH - publishing, maintenance *******************************************************************************/ package com.mmkarton.mx7.reportgenerator.sqledit; import java.sql.Types; import java.text.Bidi; import java.util.ArrayList; import java.util.Iterator; import java.util.List; import org.eclipse.datatools.connectivity.oda.IParameterMetaData; import org.eclipse.datatools.connectivity.oda.IResultSetMetaData; import org.eclipse.datatools.connectivity.oda.OdaException; import org.eclipse.datatools.connectivity.oda.design.DataSetParameters; import org.eclipse.datatools.connectivity.oda.design.DesignFactory; import org.eclipse.datatools.connectivity.oda.design.ParameterDefinition; import org.eclipse.datatools.connectivity.oda.design.ParameterMode; import org.eclipse.datatools.connectivity.oda.design.ResultSetColumns; import org.eclipse.datatools.connectivity.oda.design.ResultSetDefinition; import org.eclipse.datatools.connectivity.oda.design.ui.designsession.DesignSessionUtil; import com.mmkarton.mx7.reportgenerator.engine.SQLQuery; import com.mmkarton.mx7.reportgenerator.jdbc.ResultSetMetaData; import com.mmkarton.mx7.reportgenerator.wizards.BIRTReportWizard; /** * The utility class for SQLDataSetEditorPage * */ public class SQLUtility { /** * save the dataset design's metadata info * * @param design */ public static SQLQuery getBIRTSQLFields(String sqlQueryText) { MetaDataRetriever retriever = new MetaDataRetriever( addDummyWhere(sqlQueryText)); IResultSetMetaData resultsetMeta = retriever.getResultSetMetaData( ); IParameterMetaData paramMeta = retriever.getParameterMetaData( ); return saveDataSetDesign( resultsetMeta, paramMeta ,sqlQueryText); } public static SQLQuery saveDataSetDesign( IResultSetMetaData meta, IParameterMetaData paramMeta, String sqlQueryText ) { try { setParameterMetaData( paramMeta ); // set resultset metadata return setResultSetMetaData(meta, sqlQueryText ); } catch ( OdaException e ) { return null; } } /** * Set parameter metadata in dataset design * * @param design * @param query */ private static void setParameterMetaData(IParameterMetaData paramMeta ) { try { // set parameter metadata mergeParameterMetaData( paramMeta ); } catch ( OdaException e ) { // do nothing, to keep the parameter definition in dataset design // dataSetDesign.setParameters( null ); } } /** * solve the BIDI line problem * @param lineText * @return */ public static int[] getBidiLineSegments( String lineText ) { int[] seg = null; if ( lineText != null && lineText.length( ) > 0 && !new Bidi( lineText, Bidi.DIRECTION_LEFT_TO_RIGHT ).isLeftToRight( ) ) { List list = new ArrayList( ); // Punctuations will be regarded as delimiter so that different // splits could be rendered separately. Object[] splits = lineText.split( "\\p{Punct}" ); // !=, <> etc. leading to "" will be filtered to meet the rule that // segments must not have duplicates. for ( int i = 0; i < splits.length; i++ ) { if ( !splits[i].equals( "" ) ) list.add( splits[i] ); } splits = list.toArray( ); // first segment must be 0 // last segment does not necessarily equal to line length seg = new int[splits.length + 1]; for ( int i = 0; i < splits.length; i++ ) { seg[i + 1] = lineText.indexOf( (String) splits[i], seg[i] ) + ( (String) splits[i] ).length( ); } } return seg; } /** * Return pre-defined query text pattern with every element in a cell. * * @return pre-defined query text */ public static String getQueryPresetTextString( String extensionId ) { String[] lines = getQueryPresetTextArray( extensionId ); String result = ""; if ( lines != null && lines.length > 0 ) { for ( int i = 0; i < lines.length; i++ ) { result = result + lines[i] + ( i == lines.length - 1 ? " " : " \n" ); } } return result; } /** * Return pre-defined query text pattern with every element in a cell in an * Array * * @return pre-defined query text in an Array */ public static String[] getQueryPresetTextArray( String extensionId ) { final String[] lines; if ( extensionId.equals( "org.eclipse.birt.report.data.oda.jdbc.SPSelectDataSet" ) ) lines = new String[]{ "{call procedure-name(arg1,arg2, ...)}" }; else lines = new String[]{ "select", "from" }; return lines; } /** * merge paramter meta data between dataParameter and datasetDesign's * parameter. * * @param dataSetDesign * @param md * @throws OdaException */ private static void mergeParameterMetaData( IParameterMetaData md ) throws OdaException { if ( md == null) return; DataSetParameters dataSetParameter = DesignSessionUtil.toDataSetParametersDesign( md, ParameterMode.IN_LITERAL ); if ( dataSetParameter != null ) { Iterator iter = dataSetParameter.getParameterDefinitions( ) .iterator( ); while ( iter.hasNext( ) ) { ParameterDefinition defn = (ParameterDefinition) iter.next( ); proccessParamDefn( defn, dataSetParameter ); } } //dataSetDesign.setParameters( dataSetParameter ); } /** * Process the parameter definition for some special case * * @param defn * @param parameters */ private static void proccessParamDefn( ParameterDefinition defn, DataSetParameters parameters ) { if ( defn.getAttributes( ).getNativeDataTypeCode( ) == Types.NULL ) { defn.getAttributes( ).setNativeDataTypeCode( Types.CHAR ); } } /** * Set the resultset metadata in dataset design * * @param dataSetDesign * @param md * @throws OdaException */ private static SQLQuery setResultSetMetaData(IResultSetMetaData md, String sqlQueryText ) throws OdaException { SQLQuery query=null; ResultSetColumns columns = DesignSessionUtil.toResultSetColumnsDesign( md ); if ( columns != null ) { query=new SQLQuery(); ResultSetDefinition resultSetDefn = DesignFactory.eINSTANCE.createResultSetDefinition( ); resultSetDefn.setResultSetColumns( columns ); int count=resultSetDefn.getResultSetColumns().getResultColumnDefinitions().size(); query.setSqlQueryString(sqlQueryText); for (int i = 0; i < count; i++) { int columntype=-1; String columname=""; try { ResultSetMetaData dataset=(ResultSetMetaData)md; columname=dataset.getColumnName(i+1); columntype=dataset.getColumnType(i+1); } catch (Exception e) { return null; } query.setFields(columname, columntype); } } return query; } private static String addDummyWhere(String sqlQueryText) { if (sqlQueryText==null) { return null; } String tempsql = sqlQueryText.toUpperCase(); String sql_query=""; int where_pos = tempsql.toUpperCase().indexOf("WHERE"); if (where_pos > 0) { sql_query = tempsql.substring(0,where_pos ); } else { sql_query = tempsql; } return sql_query+" Where 1=2"; } }
BIRT-eXperts/IBM-Maximo-BIRT-Code-Generator
src/com/mmkarton/mx7/reportgenerator/sqledit/SQLUtility.java
Java
epl-1.0
7,663
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(); } }
ELTE-Soft/xUML-RT-Executor
plugins/hu.eltesoft.modelexecution.m2t.smap.emf/src/hu/eltesoft/modelexecution/m2t/smap/emf/ReferenceToLineMapping.java
Java
epl-1.0
1,442
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; } }
Yoshi-xtaze/ACL2015_Jafaden
pacman/carte/Labyrinthe.java
Java
epl-1.0
3,356
'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'];
jessicaappelbaum/cljs-update
node_modules/semantic-ui-react/dist/commonjs/modules/Accordion/AccordionTitle.js
JavaScript
epl-1.0
3,484
/** */ 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; } }
Obeo/Game-Designer
plugins/fr.obeo.dsl.game.edit/src-gen/fr/obeo/dsl/game/provider/UIItemProvider.java
Java
epl-1.0
6,992
/************************************************************************* *** 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); } }
EstebanQuerol/Black_FORTE
src/modules/IEC61131-3/Conversion/TIME/F_TIME_TO_USINT.cpp
C++
epl-1.0
2,013
/** */ 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
miklossy/xtext-core
org.eclipse.xtext/emf-gen/org/eclipse/xtext/impl/UntilTokenImpl.java
Java
epl-1.0
706
/* * 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); } }
miklossy/xtext-core
org.eclipse.xtext.testlanguages/src/org/eclipse/xtext/testlanguages/fileAware/scoping/FileAwareTestLanguageScopeProvider.java
Java
epl-1.0
944
/******************************************************************************* * 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); } }
bfg-repo-cleaner-demos/eclipselink.runtime-bfg-strip-big-blobs
moxy/eclipselink.moxy.test/src/org/eclipse/persistence/testing/oxm/readonly/OneDirectMappingProject.java
Java
epl-1.0
1,579
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(); } }
debabratahazra/DS
designstudio/components/page/ui/com.odcgroup.page.transformmodel.ui/src/main/java/com/odcgroup/page/transformmodel/ui/builder/WidgetBuilderContext.java
Java
epl-1.0
2,613
/******************************************************************************* * 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$ } } }
ttimbul/eclipse.wst
bundles/org.eclipse.wst.dtd.ui/src/org/eclipse/wst/dtd/ui/internal/wizard/NewDTDTemplatesWizardPage.java
Java
epl-1.0
17,558
#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); }
yvanvds/yse-soundengine
YseEngine/patcher/math/pMidiToFrequency.cpp
C++
epl-1.0
454
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; } }
Eldius/projeto-testes
src/main/java/net/eldiosantos/model/Departamento.java
Java
epl-1.0
623
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); } } }
boniatillo-com/PhaserEditor
source/v2/phasereditor/phasereditor.resources.phaser.examples/phaser3-examples/public/src/geom/rectangle/copy from.js
JavaScript
epl-1.0
1,367
// // 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;
BeliliFahem/om2m-java-client-api
src/main/java/org/eclipse/om2m/commons/resource/package-info.java
Java
epl-1.0
667
/* ******************************************************************************* * 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) { } }
whizzosoftware/WZWave
src/main/java/com/whizzosoftware/wzwave/node/generic/MultilevelSensor.java
Java
epl-1.0
1,822
/******************************************************************************* * 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; } }
maxeler/eclipse
eclipse.jdt.ui/org.eclipse.jdt.core.manipulation/refactoring/org/eclipse/jdt/core/refactoring/participants/JavaParticipantManager.java
Java
epl-1.0
3,457
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); } }
TeamNIKaml/LiveWallpaper
Awesome Wallpapers/src/com/teamNikaml/bipinography/activity/SplashActivity.java
Java
epl-1.0
4,397
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(); } } }
pravussum/3House
mobile/src/main/java/treehou/se/habit/ui/util/CategoryPickerFragment.java
Java
epl-1.0
5,601
/******************************************************************************* * 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); }
jmchilton/TINT
projects/TropixPersistence/src/service-api/edu/umn/msi/tropix/persistence/service/ITraqQuantitationAnalysisService.java
Java
epl-1.0
1,827
/** * 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; } }
bobwalker99/Pydev
plugins/org.python.pydev/src_completions/org/python/pydev/editor/codecompletion/revisited/ProjectModulesManager.java
Java
epl-1.0
22,376
/** * */ 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; } }
zzzzwwww12/BuyLowSellHigh
BuyLowSellHigh/src/main/java/com/coin/arbitrage/huobi/util/DepthType.java
Java
epl-1.0
375
/******************************************************************************* * 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; } }
debrief/debrief
org.mwc.debrief.legacy/src/Debrief/Tools/Tote/StartTote.java
Java
epl-1.0
1,752
/** */ 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
Treehopper/EclipseAugments
liquibase-editor/eu.hohenegger.xsd.liquibase/src-gen/org/liquibase/xml/ns/dbchangelog/impl/AndTypeImpl.java
Java
epl-1.0
23,515
/** * 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); } }
lhillah/pnmlframework
pnmlFw-PTNet/src/fr/lip6/move/pnml/ptnet/hlapi/TransitionHLAPI.java
Java
epl-1.0
11,212
/******************************************************************************* * 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()); } }
bfg-repo-cleaner-demos/eclipselink.runtime-bfg-strip-big-blobs
jpa/eclipselink.jpa.test/src/org/eclipse/persistence/testing/tests/jpa/ddlgeneration/DDLTablePerClassTestSuite.java
Java
epl-1.0
3,927
/******************************************************************************* * 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$ } }
elucash/eclipse-oxygen
org.eclipse.jface.text/src/org/eclipse/jface/text/rules/FastPartitioner.java
Java
epl-1.0
24,915
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(); } } }
cchabanois/mesfavoris
bundles/mesfavoris/src/mesfavoris/bookmarktype/AbstractBookmarkMarkerPropertiesProvider.java
Java
epl-1.0
675
/******************************************************************************* * 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); } }
neelance/jface4ruby
jface4ruby/src/org/eclipse/jface/text/source/OverviewRuler.java
Java
epl-1.0
39,538
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); } }
cohorte/cohorte-studio
org.cohorte.studio.eclipse.ui.node/src/org/cohorte/studio/eclipse/ui/node/project/CNodeContentManager.java
Java
epl-1.0
4,320
/** * 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 ); } }
fappel/xiliary
com.codeaffine.eclipse.swt/src/com/codeaffine/eclipse/swt/util/ActionScheduler.java
Java
epl-1.0
753
/** * 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; } */ }
jenskastensson/openhab
bundles/io/org.openhab.io.habmin/src/main/java/org/openhab/io/habmin/services/events/EventResource.java
Java
epl-1.0
7,435
/******************************************************************************* * 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); }
oxmcvusd/eclipse-integration-gradle
org.springsource.ide.eclipse.gradle.core/src/org/springsource/ide/eclipse/gradle/core/modelmanager/ModelBuilder.java
Java
epl-1.0
1,069
/******************************************************************************* "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; } }
michele-loreti/jResp
core/org.cmg.jresp.pastry/pastry-2.1/src/org/mpisws/p2p/transport/peerreview/commitment/CommitmentProtocolImpl.java
Java
epl-1.0
27,337
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"; }());
AFaust/alfresco-cmis-documentlist
share/src/main/webapp/nabucco/components/cmis-documentlibrary/documentlist.js
JavaScript
epl-1.0
11,911
/******************************************************************************* * 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); } } }
miklossy/xtext-core
org.eclipse.xtext/src/org/eclipse/xtext/formatting2/regionaccess/internal/StringBasedTextRegionAccessDiffBuilder.java
Java
epl-1.0
10,636
/** */ 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
RobotML/RobotML-SDK-Juno
plugins/robotml/org.eclipse.papyrus.robotml/src/org/eclipse/papyrus/RobotML/impl/RoboticMiddlewareImpl.java
Java
epl-1.0
3,660
/******************************************************************************* * 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); } }
gorkem/java-language-server
org.eclipse.jdt.ls.core/src/org/eclipse/jdt/ls/core/internal/contentassist/JavadocCompletionProposal.java
Java
epl-1.0
10,626
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; } }
sidlors/digital-booking
digital-booking-commons/src/main/java/mx/com/cinepolis/digital/booking/commons/exception/DigitalBookingExceptionCode.java
Java
epl-1.0
7,193
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(); } }
junejosheeraz/UML2DS
com.temenos.soa.plugin.uml2dsconverter/src/com/temenos/soa/plugin/uml2dsconverter/utils/StringUtils.java
Java
epl-1.0
938
# -*- 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'), ]
boniatillo-com/PhaserEditor
docs/v2/conf.py
Python
epl-1.0
4,869
/****************************************************************************** * 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; } }
alovassy/titan.EclipsePlug-ins
org.eclipse.titan.designer/src/org/eclipse/titan/designer/AST/TTCN3/values/expressions/Hex2OctExpression.java
Java
epl-1.0
6,252
requirejs(['bmotion.config'], function() { requirejs(['bms.integrated.root'], function() {}); });
ladenberger/bmotion-frontend
app/js/bmotion.integrated.js
JavaScript
epl-1.0
100
/* * 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; } }
Maarc/windup-as-a-service
windup_0_7/windup-engine/src/main/java/org/jboss/windup/interrogator/impl/XmlInterrogator.java
Java
epl-1.0
3,422
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; } }
fujaba/BeAST
de.uks.beast.editor/src/de/uks/beast/editor/util/Fonts.java
Java
epl-1.0
1,163
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); } });
tmtwd/chess-om
env/test/js/unit-test.js
JavaScript
epl-1.0
765
#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; }
cjsbox-xx/tanchiks
Classes/SimpleGameLogic.cpp
C++
epl-1.0
3,968
/* * 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; } }
DavidGutknecht/elexis-3-base
bundles/org.apache.solr/src/org/apache/solr/client/solrj/request/SolrPing.java
Java
epl-1.0
3,236
// // 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> * &lt;complexType name="xtraDrugType"> * &lt;complexContent> * &lt;restriction base="{http://www.w3.org/2001/XMLSchema}anyType"> * &lt;attribute name="indicated" type="{http://www.w3.org/2001/XMLSchema}boolean" /> * &lt;attribute name="iocm_category"> * &lt;simpleType> * &lt;restriction base="{http://www.w3.org/2001/XMLSchema}NMTOKEN"> * &lt;enumeration value="A"/> * &lt;enumeration value="B"/> * &lt;enumeration value="C"/> * &lt;enumeration value="D"/> * &lt;enumeration value="E"/> * &lt;/restriction> * &lt;/simpleType> * &lt;/attribute> * &lt;attribute name="delivery" default="first"> * &lt;simpleType> * &lt;restriction base="{http://www.w3.org/2001/XMLSchema}NMTOKEN"> * &lt;enumeration value="first"/> * &lt;enumeration value="repeated"/> * &lt;enumeration value="permanent"/> * &lt;/restriction> * &lt;/simpleType> * &lt;/attribute> * &lt;attribute name="regulation_attributes" type="{http://www.w3.org/2001/XMLSchema}unsignedInt" default="0" /> * &lt;attribute name="limitation" type="{http://www.w3.org/2001/XMLSchema}boolean" /> * &lt;/restriction> * &lt;/complexContent> * &lt;/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; } }
DavidGutknecht/elexis-3-base
bundles/at.medevit.elexis.tarmed.model/src-gen/ch/fd/invoice450/request/XtraDrugType.java
Java
epl-1.0
5,592
/******************************************************************************* * 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); } }
ttimbul/eclipse.wst
bundles/org.eclipse.wst.xml.core/src/org/eclipse/wst/xml/core/internal/contenttype/NullMemento.java
Java
epl-1.0
1,336
/******************************************************************************* * 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); }
parraman/micobs
mclev/es.uah.aut.srg.micobs.mclev/src/es/uah/aut/srg/micobs/mclev/library/mclevlibrary/MMCLEVVersionedItemComponent.java
Java
epl-1.0
4,916
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); }
BSI-Business-Systems-Integration-AG/org.thethingsnetwork.zrh.monitor
ttn_monitor/org.eclipse.scout.widgets.heatmap.client/src/main/java/org/eclipse/scout/widgets/heatmap/client/ui/form/fields/heatmapfield/IHeatmapField.java
Java
epl-1.0
817
/* * 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(); } }
inocybe/odl-bgpcep
bgp/linkstate/src/main/java/org/opendaylight/protocol/bgp/linkstate/nlri/TeLspNlriParser.java
Java
epl-1.0
8,515
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(); } } }
nicolediana/progetto
ServletExample/src/ConnessioneDB.java
Java
epl-1.0
1,248
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; } }
yc654084303/QuickConnQuickConnect
QuickConnectPay/src/com/huihuang/utils/BeanToMap.java
Java
epl-1.0
1,034
/** * 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); } }
SK-HOLDINGS-CC/NEXCORE-UML-Modeler
nexcore.alm.common/src/nexcore/alm/common/excel/ExcelException.java
Java
epl-1.0
1,457
/******************************************************************************* * 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); } }
iloveeclipse/anyedittools
AnyEditTools/src/de/loskutov/anyedit/actions/replace/ReplaceWithAction.java
Java
epl-1.0
9,434
/* * 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(); } }
aslakknutsen/aesh
src/main/java/org/jboss/aesh/complete/CompleteOperation.java
Java
epl-1.0
7,366
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(); }
mhersc1/SIGAE
src/main/java/dao/inf/QueryDAO.java
Java
epl-1.0
590
/** * <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
aciancone/klapersuite
klapersuite.metamodel.klaper/src/klaper/expr/util/ExprSwitch.java
Java
epl-1.0
14,296
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 }; } }
amw8/rlpark
rlpark.plugin.critterbot/jvsrc/critterbot/actions/XYThetaAction.java
Java
epl-1.0
1,202
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(); } }
sidlors/digital-booking
digital-booking-persistence/src/main/java/mx/com/cinepolis/digital/booking/persistence/dao/impl/ScreenDAOImpl.java
Java
epl-1.0
12,056
// 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
ribelo/eckersdorf
resources/public/js/out/eckersdorf/window/db.js
JavaScript
epl-1.0
417
/** */ 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
viatra/VIATRA-Generator
Tests/MODELS2020-CaseStudies/models20.diversity-calculator/src/TaxationWithRoot/Tax_Card.java
Java
epl-1.0
32,297
/* * 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;
sonatype/nexus-public
plugins/nexus-repository-maven/src/main/java/org/sonatype/nexus/repository/maven/internal/orient/package-info.java
Java
epl-1.0
1,002
/******************************************************************************* * 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")); } }
Tasktop/code2cloud.server
com.tasktop.c2c.server/com.tasktop.c2c.server.profile.web.ui/src/main/java/com/tasktop/c2c/server/profile/web/ui/client/place/UserAccountPlace.java
Java
epl-1.0
3,244
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; } }
openmapsoftware/mappingtools
openmap-mapper-lib/src/main/java/com/openMap1/mapper/converters/FACEWrapper.java
Java
epl-1.0
11,744
/* ========================================== * 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); }
arcanefoam/jgrapht
jgrapht-core/src/main/java/org/jgrapht/graph/specifics/Specifics.java
Java
epl-1.0
2,800