text
stringlengths
2
1.04M
meta
dict
layout: post title: "Critical Thinking and Problem Solving" date: 2015-03-04 11:48:34 categories: jekyll update --- When coding you will run into a log of error reports and be able to analyze the error code and solve the problem. May times this can be something as simple as a type or a indent where there isn't suppose to be one. One problem I ran into a lot was indenting when learning Python. Python is very picky about how it is indenting and if you indent wrong it will crash your whole code. Critical Thinking and Problem Solving is an important skill I have obtained. Being able to critically think and solve issues with computer system is important in the technology field. Computers always have issues if its hardware or software.
{ "content_hash": "3552039736206f24f993a10e23f02d89", "timestamp": "", "source": "github", "line_count": 9, "max_line_length": 383, "avg_line_length": 83.11111111111111, "alnum_prop": 0.7887700534759359, "repo_name": "TheSween/TheSween.github.io", "id": "5626e44fc6ad149ca963e043a702a929324b9f87", "size": "752", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "_posts/2015-03-12-productivityresponse.markdown", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "51186" }, { "name": "HTML", "bytes": "22844" }, { "name": "JavaScript", "bytes": "67911" }, { "name": "PHP", "bytes": "50409" }, { "name": "Ruby", "bytes": "2774" } ], "symlink_target": "" }
/** * Sensor logger by Dario Salvi </[email protected]> * License: MIT */ package org.apache.cordova.sensorlogger; import android.Manifest; import android.app.Activity; import android.bluetooth.BluetoothAdapter; import android.content.BroadcastReceiver; import android.content.Context; import android.content.Intent; import android.content.IntentFilter; import android.content.pm.PackageManager; import android.hardware.Sensor; import android.hardware.SensorEvent; import android.hardware.SensorEventListener; import android.hardware.SensorManager; import android.location.Criteria; import android.location.Location; import android.location.LocationListener; import android.location.LocationManager; import android.os.Bundle; import android.os.Environment; import android.telecom.Call; import android.util.Log; import org.apache.cordova.CallbackContext; import org.apache.cordova.CordovaInterface; import org.apache.cordova.CordovaPlugin; import org.apache.cordova.CordovaWebView; import org.apache.cordova.PluginResult; import org.json.JSONArray; import org.json.JSONException; import org.json.JSONObject; import java.io.File; import java.io.FileNotFoundException; import java.io.FileOutputStream; import java.io.IOException; import java.io.OutputStreamWriter; import java.util.LinkedList; import java.util.List; public class SensorLogger extends CordovaPlugin { private static final String LOG_NAME = SensorLogger.class.getName(); boolean logging = false; List<OutputStreamWriter> writers = new LinkedList<OutputStreamWriter>(); //standard sensors stuff SensorManager sensorMng; List<String> sensortypes = new LinkedList<String>(); List<Sensor> sensors = new LinkedList<Sensor>(); List<SensorEventListener> sensorListeners = new LinkedList<SensorEventListener>(); //orientation stuff float[] mGravity; float[] mGeomagnetic; SensorEventListener orientationListener; //location stuff LocationManager locationMng; LocationListener locListener = null; //permissions stuff List<String> perms = new LinkedList<String>(); private static final int REQUEST_DYN_PERMS = 55; CallbackContext authReqCallbackCtx; /** * Sets the context of the Command. * * @param cordova the context of the main Activity. * @param webView the associated CordovaWebView. */ @Override public void initialize(CordovaInterface cordova, CordovaWebView webView) { super.initialize(cordova, webView); locationMng = (LocationManager) webView.getContext().getSystemService(Context.LOCATION_SERVICE); sensorMng = (SensorManager) webView.getContext().getSystemService(Context.SENSOR_SERVICE); } /** * Executes the request. * * @param action the action to execute. * @param args the exec() arguments. * @param callbackContext the callback context used when calling back into JavaScript. * @return whether the action was valid. */ public boolean execute(String action, JSONArray args, final CallbackContext callbackContext) { if (action.equalsIgnoreCase("init")) { if(logging){ stop(); } sensortypes.clear(); try{ JSONArray strings = args.getJSONArray(0); for(int i=0; i<strings.length(); i++) sensortypes.add(strings.getString(i)); } catch (JSONException ex){ callbackContext.error(ex.getMessage()); return true; } requestPermissions(callbackContext, sensortypes); return true; } else if (action.equalsIgnoreCase("start")) { sensors.clear(); sensorListeners.clear(); writers.clear(); start(callbackContext); return true; } else if (action.equalsIgnoreCase("stop")) { stop(); callbackContext.success(); return true; } return false; } private void requestPermissions(final CallbackContext callbackContext, List<String> sensortypes) { if (!cordova.hasPermission(Manifest.permission.WRITE_EXTERNAL_STORAGE)) { perms.add(Manifest.permission.WRITE_EXTERNAL_STORAGE); } for (String type : sensortypes) { if(type.equalsIgnoreCase("location")){ if (!cordova.hasPermission(Manifest.permission.ACCESS_COARSE_LOCATION)) { perms.add(Manifest.permission.ACCESS_COARSE_LOCATION); } if (!cordova.hasPermission(Manifest.permission.ACCESS_FINE_LOCATION)) { perms.add(Manifest.permission.ACCESS_FINE_LOCATION); } } else if (type.equals("heartrate")) { if (!cordova.hasPermission(Manifest.permission.BODY_SENSORS)) { perms.add(Manifest.permission.BODY_SENSORS); } } } if (perms.isEmpty()) { // nothing to be done callbackContext.sendPluginResult(new PluginResult(PluginResult.Status.OK, true)); } else { authReqCallbackCtx = callbackContext; cordova.requestPermissions(this, REQUEST_DYN_PERMS, perms.toArray(new String[perms.size()])); } } @Override public void onRequestPermissionResult(int requestCode, String[] permissions, int[] grantResults) throws JSONException { if (requestCode == REQUEST_DYN_PERMS) { for (int i = 0; i < grantResults.length; i++) { if (grantResults[i] == PackageManager.PERMISSION_DENIED) { String errmsg = "Permission denied "; for (String perm : permissions) { errmsg += " " + perm; } authReqCallbackCtx.error("Permission denied: " + permissions[i]); return; } } //all accepted! authReqCallbackCtx.success(); } } public void start(CallbackContext callbackContext) { if(logging) return; for (String type : sensortypes) { //start file if (!Environment.MEDIA_MOUNTED.equals(Environment.getExternalStorageState())) { Log.e(LOG_NAME, "SD card not writeable"); callbackContext.error("External storage is not writeable"); } File file = new File(Environment.getExternalStorageDirectory() + "/" + type + ".csv"); FileOutputStream outputStream = null; try { outputStream = new FileOutputStream(file); } catch (FileNotFoundException e) { Log.e(LOG_NAME, "SD card not writeable"); e.printStackTrace(); callbackContext.error("External storage is not writeable"); } final OutputStreamWriter out = new OutputStreamWriter(outputStream); writers.add(out); if(type.equalsIgnoreCase("location")){ locListener = new LocationListener() { @Override public void onLocationChanged(Location location) { long ts = location.getTime(); float acc = location.getAccuracy(); String line = ts + "," + acc + "," + location.getLatitude() + "," + location.getLongitude() + "," + location.getAltitude() + "," + location.getSpeed() + "," + location.getBearing() + "\n"; try { out.append(line); out.flush(); } catch (IOException ex) { Log.e(SensorLogger.class.getName(), "Error while writing log on file", ex); } } @Override public void onStatusChanged(String provider, int status, Bundle extras) { //nothing to do } @Override public void onProviderEnabled(String provider) { //nothing to do } @Override public void onProviderDisabled(String provider) { //nothing to do } }; } else if (type.equalsIgnoreCase("orientation")){ orientationListener = new SensorEventListener() { @Override public void onSensorChanged(SensorEvent event) { if (event.sensor.getType() == Sensor.TYPE_ACCELEROMETER) mGravity = event.values; if (event.sensor.getType() == Sensor.TYPE_MAGNETIC_FIELD) mGeomagnetic = event.values; if (mGravity != null && mGeomagnetic != null) { float R[] = new float[9]; float I[] = new float[9]; boolean success = SensorManager.getRotationMatrix(R, I, mGravity, mGeomagnetic); if (success && (event.sensor.getType() == Sensor.TYPE_MAGNETIC_FIELD)) { float orientation[] = new float[3]; SensorManager.getOrientation(R, orientation); long ts = event.timestamp; int acc = event.accuracy; String line = ts + "," + acc; for (int j = 0; j < orientation.length; j++) { line += "," + orientation[j]; } line += "\n"; try { out.append(line); } catch (IOException ex) { Log.e(SensorLogger.class.getName(), "Error while writing log on file", ex); } } } } @Override public void onAccuracyChanged(Sensor sensor, int accuracy) { } }; } else { if (type.equals("accelerometer")) { sensors.add(sensorMng.getDefaultSensor(Sensor.TYPE_ACCELEROMETER)); } else if (type.equals("gravity")) { sensors.add(sensorMng.getDefaultSensor(Sensor.TYPE_GRAVITY)); } else if (type.equals("gyroscope")) { sensors.add(sensorMng.getDefaultSensor(Sensor.TYPE_GYROSCOPE)); } else if (type.equals("rotation")) { sensors.add(sensorMng.getDefaultSensor(Sensor.TYPE_ROTATION_VECTOR)); } else if (type.equals("magnetometer")) { sensors.add(sensorMng.getDefaultSensor(Sensor.TYPE_MAGNETIC_FIELD)); } else if (type.equals("light")) { sensors.add(sensorMng.getDefaultSensor(Sensor.TYPE_LIGHT)); } else if (type.equals("setpcounter")) { sensors.add(sensorMng.getDefaultSensor(Sensor.TYPE_STEP_COUNTER)); } else if (type.equals("heartrate")) { sensors.add(sensorMng.getDefaultSensor(Sensor.TYPE_HEART_RATE)); } else { throw new IllegalArgumentException("Unknown sensor type " + type); } sensorListeners.add(new SensorEventListener() { @Override public void onSensorChanged(SensorEvent event) { long ts = event.timestamp; int acc = event.accuracy; String line = ts + "," + acc; for (int j = 0; j < event.values.length; j++) { line += "," + event.values[j]; } line += "\n"; try { out.append(line); } catch (IOException ex) { Log.e(SensorLogger.class.getName(), "Error while writing log on file", ex); } } @Override public void onAccuracyChanged(Sensor sensor, int accuracy) { //nothing to do here } }); } } for (int i = 0; i < sensors.size(); i++) { sensorMng.registerListener(sensorListeners.get(i), sensors.get(i), SensorManager.SENSOR_DELAY_FASTEST); } if(orientationListener != null){ sensorMng.registerListener(orientationListener, sensorMng.getDefaultSensor(Sensor.TYPE_MAGNETIC_FIELD), SensorManager.SENSOR_DELAY_FASTEST); sensorMng.registerListener(orientationListener, sensorMng.getDefaultSensor(Sensor.TYPE_ACCELEROMETER), SensorManager.SENSOR_DELAY_FASTEST); } if (locListener != null) { Criteria crit = new Criteria(); crit.setAccuracy(Criteria.ACCURACY_FINE); try { locationMng.requestLocationUpdates(500, 0, crit, locListener, null); } catch (SecurityException ex) { Log.e(LOG_NAME, "Cannot access location, permission denied", ex); } } logging = true; callbackContext.success(); } private void stop() { if(!logging) return; for (int i = 0; i < sensors.size(); i++) { sensorMng.unregisterListener(sensorListeners.get(i)); } if(orientationListener != null){ sensorMng.unregisterListener(orientationListener); orientationListener = null; } if (locListener != null) { try{ locationMng.removeUpdates(locListener); } catch (SecurityException ex){ Log.e(SensorLogger.class.getName(), "Cannot access location, permission denied", ex); } locListener = null; } for(OutputStreamWriter writer : writers){ try { writer.close(); } catch (IOException ex) { Log.e(SensorLogger.class.getName(), "Error while closing log file", ex); } } logging = false; } }
{ "content_hash": "338296029f0bb6c7dfeb5e2b523fd2a7", "timestamp": "", "source": "github", "line_count": 352, "max_line_length": 212, "avg_line_length": 41.45454545454545, "alnum_prop": 0.5465323464912281, "repo_name": "dariosalvi78/cordova-plugin-sensorlogger", "id": "6126972e4f2ed398d55bd4e6a299d2b23e5dfdb7", "size": "14592", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/android/SensorLogger.java", "mode": "33188", "license": "mit", "language": [ { "name": "Java", "bytes": "14592" }, { "name": "JavaScript", "bytes": "534" } ], "symlink_target": "" }
layout: master title: "Barreirinha" categories: question author: Manuel de Freitas contributor: Luís Henriques imgs: 2 --- De repente, pai, entre o silêncio de duas ondas, ouvimos a única pergunta: quantas vezes ainda nadaremos juntos?
{ "content_hash": "3f644e29109582873cadecb553e44152", "timestamp": "", "source": "github", "line_count": 14, "max_line_length": 27, "avg_line_length": 17.928571428571427, "alnum_prop": 0.7410358565737052, "repo_name": "mentes-desertas/mentes-desertas.github.io", "id": "11b259fe2bf87f6263d799b3565378127755fe88", "size": "258", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "_posts/question/2004-11-2-2.markdown", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "200236" }, { "name": "HTML", "bytes": "115377" }, { "name": "JavaScript", "bytes": "24355" }, { "name": "Ruby", "bytes": "2137" } ], "symlink_target": "" }
import * as s3urls from "@mapbox/s3urls"; s3urls.toUrl("bucket", "key"); // $ExpectType { s3: string; "bucket-in-path": string; "bucket-in-host": string; } s3urls.toUrl("bucket", "key")["s3"]; // $ExpectType string s3urls.toUrl("bucket", "key")["bucket-in-host"]; // $ExpectType string s3urls.toUrl("bucket", "key")["bucket-in-path"]; // $ExpectType string s3urls.valid("s3://bucket/key"); // $ExpectType boolean s3urls.valid("invalid"); // $ExpectType boolean s3urls.convert("s3://bucket/key", "s3"); // $ExpectType string s3urls.convert("s3://bucket/key", "bucket-in-path"); // $ExpectType string s3urls.convert("s3://bucket/key", "bucket-in-host"); // $ExpectType string s3urls.fromUrl("s3://bucket/key"); // $ExpectType object
{ "content_hash": "945d44acaa5d08aab7d7fd033c6e6f2d", "timestamp": "", "source": "github", "line_count": 15, "max_line_length": 113, "avg_line_length": 49, "alnum_prop": 0.6775510204081633, "repo_name": "markogresak/DefinitelyTyped", "id": "7a50fdcfacf231fede0e877a163fb319c6088052", "size": "735", "binary": false, "copies": "63", "ref": "refs/heads/master", "path": "types/mapbox__s3urls/mapbox__s3urls-tests.ts", "mode": "33188", "license": "mit", "language": [ { "name": "CoffeeScript", "bytes": "15" }, { "name": "Protocol Buffer", "bytes": "678" }, { "name": "TypeScript", "bytes": "17426898" } ], "symlink_target": "" }
namespace app_list { // Generated as: // crx_file::id_util::GenerateId("org.chromium.default_page_break_1"). const char kDefaultPageBreak1[] = "fdipebbchlhkdibfjgbfalhceahammim"; const char* const kDefaultPageBreakAppIds[] = { kDefaultPageBreak1, }; const size_t kDefaultPageBreakAppIdsLength = base::size(kDefaultPageBreakAppIds); // Returns true if |item_id| is of a default-installed page break item. bool IsDefaultPageBreakItem(const std::string& item_id) { return base::Contains(kDefaultPageBreakAppIds, item_id); } } // namespace app_list
{ "content_hash": "512335ddc6c2a6e1923a6a91fa2f2130", "timestamp": "", "source": "github", "line_count": 19, "max_line_length": 71, "avg_line_length": 29.526315789473685, "alnum_prop": 0.7557932263814616, "repo_name": "ric2b/Vivaldi-browser", "id": "1154bb709d40c410f7d1047b72a4289a4013cce4", "size": "862", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "chromium/chrome/browser/ui/app_list/page_break_constants.cc", "mode": "33188", "license": "bsd-3-clause", "language": [], "symlink_target": "" }
Ext.define('Ozone.components.admin.DashboardsTabPanel', { extend: 'Ext.panel.Panel', alias: ['widget.dashboardstabpanel'], layout: { type: 'fit' }, preventHeader: true, border: true, padding: 5, initDisabled: true, widgetLauncher: null, widgetEventingController: null, widgetStateHandler: null, isGroupDashboard: false, //The editor widget the tab is open in editPanel: null, initComponent: function() { var self = this; Ext.apply(this,{ items: [{ xtype: 'dashboardsgrid', itemId: 'dashboardsgrid', preventHeader: true, border: false, listeners: { itemdblclick: { fn: this.doEdit, scope: this } } }], dockedItems: [{ xtype: 'toolbar', itemId: 'tbDashboardsGridHdr', cls: 'tbDashboardsGridHdr', dock: 'top', items: [{ xtype: 'tbtext', cls: 'tbDashboardsGridHdr', itemId: 'lblDashboardsGrid', text:'Dashboards' }, '->', { xtype: 'searchbox', listeners: { searchChanged: { fn: function(cmp, value) { var grid = this.getComponent('dashboardsgrid'); if (grid != null) { grid.applyFilter(value, ['name']); } }, scope: this } } }] }] }); this.on({ //setup panel on the first activate 'activate': { scope: this, fn: function(cmp, opts) { var grid = cmp.getComponent('dashboardsgrid'); //var tbf = cmp.getDockedComponent('tbDashboardsGridFtr'); var tb = cmp.getDockedComponent('tbDashboardsGridHdr'); var lbl = tb.getComponent('lblDashboardsGrid'); var comp = cmp.ownerCt; var compId = -1; // Create modified widget store and bind to grid grid.setStore(Ext.create('Ozone.data.stores.AdminDashboardStore', cmp.storeCfg)); var refreshPagingToolbar = function(operation) { if (operation.action == "destroy" || operation.action == "create") { var ptb = grid.getBottomToolbar(); ptb.doRefresh(); } }; grid.store.proxy.callback = refreshPagingToolbar; grid.store.on('write', function(store, action, result, records, rs) { //Refresh whatever manager launched this editor widget OWF.Eventing.publish(this.ownerCt.channel, { action: action, domain: this.ownerCt.domain, records: result }); }, this); if (grid && comp) { comp.record = comp.recordId > -1 ? comp.store.getAt(comp.store.findExact('id', comp.recordId)) : undefined; compId = comp.recordId > -1 ? comp.recordId : -1; var p = { tab: 'dashboards', adminEnabled: true }; p[cmp.componentId] = compId; grid.setBaseParams(p); } }, single: true } }); //reload store everytime the tab is activated this.on({ activate: { fn: function(cmp, opts) { var grid = cmp.getComponent('dashboardsgrid'); var store = grid.getStore(); // Set the title if (cmp.ownerCt.record) { var titleText = Ext.htmlEncode(Ext.util.Format.ellipsis(cmp.ownerCt.record.get('title'), 25)); if(!titleText) { titleText = Ext.htmlEncode(Ext.util.Format.ellipsis(cmp.ownerCt.record.get('name'), 25)) || 'Dashboards'; } var title = this.getDockedItems('toolbar[dock="top"]')[0].getComponent('lblDashboardsGrid'); title.setText(titleText); } if (store) { store.load({ params: { offset: 0, max: store.pageSize } }); } }, scope: this } }); OWF.Preferences.getUserPreference({ namespace: 'owf.admin.DashboardEditCopy', name: 'guid_to_launch', onSuccess: function(result) { self.guid_DashboardEditCopyWidget = result.value; }, onFailure: function(err) { /* No op */ self.editPanel.showAlert('Preferences Error', 'Error looking up Dashboard Editor: ' + err); } }); this.callParent(); }, launchFailedHandler: function(response) { if (response.error) { this.editPanel.showAlert('Launch Error', 'Dashboard Editor Launch Failed: ' + response.message); } }, onStoreException: function(proxy, response, operation, eOpts) { var decodedResponse; try { decodedResponse = Ext.JSON.decode(response); } catch (e) { decodedResponse = response; } decodedResponse && this.editPanel.showAlert('Server Error', decodedResponse); }, onAddClicked: function () { var win = Ext.widget('admineditoraddwindow', { addType: 'Dashboard', itemName: this.ownerCt.record.get('displayName'), editor: this.editor, focusOnClose: this.down(), existingItemsStore: this.getComponent('dashboardsgrid').getStore(), grid: Ext.widget('dashboardsgrid', { itemId: 'dashboardsaddgrid', border: false, enableColumnHide: false, sortableColumns: false, listeners: { render: { fn: function(cmp) { cmp.setBaseParams({ adminEnabled: true, isGroupDashboard: true, isStackDashboard: false }); }, scope: this } } }) }); win.show(); }, doEdit: function(cmp, record, item, index, e) { var grid = this.getComponent('dashboardsgrid'); var records = grid.getSelectedDashboards(); if (records && records.length > 0) { for (var i = 0; i < records.length; i++) { var id = records[i].data.guid;//From Id property of Dashboard Model var dataString = Ozone.util.toString({ id: id, copyFlag: false, isGroupDashboard: this.isGroupDashboard }); OWF.Launcher.launch({ guid: this.guid_DashboardEditCopyWidget, title: '$1 - ' + records[i].get('name'), titleRegex: /(.*)/, launchOnlyIfClosed: false, data: dataString }, this.launchFailedHandler); } } else { this.editPanel.showAlert("Error", "You must select at least one dashboard to edit"); } }, doDelete: function(button, e) { var grid = this.getComponent('dashboardsgrid'); var store = grid.getStore(); var records = grid.getSelectedDashboards(); if (records && records.length > 0) { store.remove(records); store.save(); } else { this.editPanel.showAlert("Error", "You must select at least one dashboard to remove."); } } });
{ "content_hash": "09d94a194a3f0cb90525770deee08295", "timestamp": "", "source": "github", "line_count": 243, "max_line_length": 133, "avg_line_length": 35.29218106995885, "alnum_prop": 0.44776119402985076, "repo_name": "ozone-development/ozp-iwc-owf7-widget-adapter", "id": "deacb574fbaabd01036d42fc2f844bd46c00e279", "size": "8576", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "reference/js/components/admin/DashboardsTabPanel.js", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "5001" }, { "name": "HTML", "bytes": "27869" }, { "name": "JavaScript", "bytes": "15073269" }, { "name": "Shell", "bytes": "1854" } ], "symlink_target": "" }
EventUtils = { findNodeIndex: function(node, parent) { for (i = 0; i < parent.childNodes.length; i++) { if (node === parent.childNodes[i]) { return i; } } return -1; }, findPath: function(node) { if (node.id) { return [node.id]; } else { // find index on parent if (node.parentNode) { var parent = node.parentNode; var index = this.findNodeIndex(node, parent); // find path for parent var parentPath = this.findPath(parent); parentPath.push(index); return parentPath; } else { return []; } } }, elementFromPath: function(path) { var element; for (idx in path) { if (!element) { if ('string' === typeof path[idx]) { // we've got a node with an id, start the path with that element = document.getElementById(path[idx]); } else { // our start node is maybe a child of document element = document.childNodes[path[idx]]; } } else { element = element.childNodes[path[idx]]; } } return element; }, makeEventJSON: function(evt) { var obj = {}; for (key in evt) { var value = evt[key]; var type = typeof value; // we don't do object or array attrs yet if ('string' === type || 'number' === type || 'boolean' === type) { obj[key] = value; } } return JSON.stringify(obj); }, synthesizeEvent: function(eventData) { var evt = document.createEvent('Events'); evt.initEvent(eventData.type, true, false); // TODO: Copy attrs for (key in eventData) { try { evt[key] = eventData[key]; } catch (e) { console.log('oops'); console.log(e); } } return evt; } } var template_string = atob('PCFET0NUWVBFIGh0bWw+PGh0bWw+PGhlYWQ+PG1ldGEgY29udGVudD0idGV4dC9odG1sO2NoYXJzZXQ9dXRmLTgiIGh0dHAtZXF1aXY9IkNvbnRlbnQtVHlwZSI+PG1ldGEgY29udGVudD0idXRmLTgiIGh0dHAtZXF1aXY9ImVuY29kaW5nIj48dGl0bGU+TWlkZGxlPC90aXRsZT48L2hlYWQ+PHNjcmlwdD4Kd2luZG93LmFkZEV2ZW50TGlzdGVuZXIoIm1lc3NhZ2UiLGZ1bmN0aW9uKGUpewp2YXIgZGVzdCA9IHdpbmRvdy5wYXJlbnQ7CmlmKGUuc291cmNlID09PSB3aW5kb3cucGFyZW50KSB7CmRlc3QgPSBkb2N1bWVudC5nZXRFbGVtZW50QnlJZCgiaW5uZXIiKS5jb250ZW50V2luZG93Owp9CmRlc3QucG9zdE1lc3NhZ2UoZS5kYXRhLCIqIik7Cn0sdHJ1ZSk7Cjwvc2NyaXB0PjxzdHlsZT4KYm9keSwgaHRtbCB7IHdpZHRoOjEwMCUgOwpoZWlnaHQ6MTAwJSA7Cm92ZXJmbG93OmhpZGRlbiA7Cn0KaWZyYW1lIHsgd2lkdGg6MTAwJSA7CmhlaWdodDoxMDAlIDsKYm9yZGVyOm5vbmUgOwp9Cjwvc3R5bGU+PGJvZHk+PGlmcmFtZSBpZD0iaW5uZXIiIG5hbWU9ImlubmVyV2luZG93IiBzcmM9IiN7c3JjfSIgaGVpZ2h0PSIxMDAlIj48L2lmcmFtZT48L2JvZHk+PC9odG1sPgo='); function Template(str) { this.template_string = str; } Template.prototype.render = function(template_data) { var rendered = this.template_string; for (key in template_data) { rendered = rendered.replace('#{' + key + '}', template_data[key]) } // TODO: replace escaped chars return rendered }; var template = new Template(template_string); function makeProxyFrame(ifr) { var enc = 'data:text/html;charset=US-ASCII,'; ifr.src = enc + template.render({ 'src': ifr.src }); var name = ifr.name; if (name) { ifr.addEventListener('load', function() { ifr.name = 'proxied_' + name; ifr.contentDocument.getElementById('inner').name = name; console.log('set inner frame name to ' + name); }, false); } } /* * Makes a listener that directs messages to the appropriate actor based on * the message type. */ function getActorsListener(messagePeer, clientConfig) { // TODO: replace with something that actually makes something globally // unique (this is what ZAP uses currently) // For current implementation of OWTF assume that this logic works function owtfS4() { return (((1 + Math.random()) * 0x10000) | 0).toString(16).substring(1); } function owtfGuidGen() { return owtfS4() + owtfS4() + "-" + owtfS4() + "-" + owtfS4() + "-" + owtfS4() + "-" + owtfS4() + owtfS4() + owtfS4(); } // Actors which receieve messages from the tool var actors = { /* * set the location of the current window. Useful for, e.g. forcing the * browser to make a request. */ 'setLocation': function(message) { if (message.URL) { // navigate to the specified URL window.location = message.URL; } }, /* * cause the browser to make a request with a given method. Useful for, * e.g. resending forms for replaying a POST. */ 'makeRequest': function(message) { if (message.URL && message.method) { // inject a form into the document var form = document.createElement('form'); form.method = message.method; form.action = message.URL; // TODO: set form parameters would be nice document.body.appendChild(form); // submit the form form.submit(); } }, 'setConfig': function(message) { var name = message.name; var value = message.value; clientConfig[name] = value; // TODO: notify things that are interested in config changes clientConfig.notifyListeners(); } }; // hook in things from the DOM // postMessage Proxy stuff var awaitingResponses = []; var endpoints = []; var forEach = Array.prototype.forEach; function hookWindow(win) { if (!win.postMessage.isPnHProbe) { try { var endpointId = owtfGuidGen(); win.origPostMessage = win.postMessage; endpoints[endpointId] = function(response) { win.origPostMessage(response.data, '*'); } win.postMessage = function(message, targetOrigin, transfer) { if (clientConfig.monitorPostMessage || clientConfig.interceptPostMessage) { var messageId = owtfGuidGen(); if (clientConfig.interceptPostMessage) { awaitingResponses[messageId] = function(response) { // TODO: Tighten up target origin here if we can if (transfer) { win.origPostMessage(response.data, '*', transfer); } else { win.origPostMessage(response.data, '*'); } }; // TODO: setTimeout for no response to clear handlers awaiting // dropped responses } var pMsg = { to: clientConfig.endpointName, type: 'interceptPostMessage', from: 'TODO: we need a from', target: 'someTarget', data: message, intercept: clientConfig.interceptPostMessage ? true : false, messageId: messageId, endpointId: endpointId }; messagePeer.sendMessage(pMsg); } if (!clientConfig.interceptPostMessage) { if (transfer) { win.origPostMessage(message, targetOrigin, transfer); } else { win.origPostMessage(message, targetOrigin); } } } win.postMessage.isPnHProbe = true; return true; } catch (e) { return false; } } else { return true; } } function makeProxy(fn, pre, post) { if (fn.isPnHProbeProxy) return fn; newFn = function() { var callInfo = pre ? pre(this, arguments) : arguments; var ret; if (callInfo.modify) { ret = callInfo.modify(this, fn, callInfo.args); } else { ret = fn.apply(this, callInfo.args); } return post ? post(ret) : ret; } newFn.isPnHProbeProxy = true; return newFn; } function addEventListenerProxy(obj, args) { var type = args[0]; var endpointId = owtfGuidGen(); endpoints[endpointId] = function(response) { var evt = EventUtils.synthesizeEvent(response.eventData); // TODO: if originalTargetPath is set, dispatch event there args[1](evt); }; var onEventProxy = makeProxy(args[1], function() { var messageId = owtfGuidGen(); var callInfo = {}; //TODO: replace with an actual implementation if (clientConfig.monitorEvents || clientConfig.interceptEvents) { var evt = arguments[1][0]; var message = 'a ' + type + ' event happened!'; // TODO: do a better job of marshalling events to the PnH provider var pMsg = { to: clientConfig.endpointName, type: 'eventInfoMessage', from: 'TODO: we need a from', target: 'someTarget', data: message, eventData: EventUtils.makeEventJSON(evt), originalTargetPath: EventUtils.findPath(evt.originalTarget), messageId: messageId, endpointId: endpointId }; messagePeer.sendMessage(pMsg); } callInfo.args = arguments[1]; if (clientConfig.interceptEvents) { callInfo.modify = function(obj, fn, args) { awaitingResponses[messageId] = function() { fn.apply(obj, args); }; }; } return callInfo; }); return { 'args': [args[0], onEventProxy, args[2]] }; } function proxyAddEventListener(node) { node.addEventListener = makeProxy(node.addEventListener, addEventListenerProxy); } var observer = new MutationObserver(function(mutations) { function hookNode(node) { if (node.contentWindow && node.contentWindow.postMessage) { node.addEventListener('load', function() { if (!hookWindow(node.contentWindow)) { makeProxyFrame(node); hookWindow(node.contentWindow); } }, false); } forEach.call(node.childNodes, function(child) { hookNode(child); }); }; mutations.forEach(function(mutation) { forEach.call(mutation.addedNodes, function(node) { hookNode(node); }); }); }); // configuration of the observer: var config = { attributes: true, childList: true, characterData: true, subtree: true }; // pass in the target node, as well as the observer options observer.observe(document, config); hookWindow(window); proxyAddEventListener(window); proxyAddEventListener(Node.prototype); /* * The actual listener that's returned for adding to a receiver. */ return function(message) { if (message && message.type) { if (actors[message.type]) { actors[message.type](message); } else { // if we're awaiting a response with this ID, call the handler if (message.responseTo) { if (awaitingResponses[message.responseTo]) { var handleFunc = awaitingResponses[message.responseTo]; delete awaitingResponses[message.responseTo]; handleFunc(message); } else { if (endpoints[message.responseTo]) { endpoints[message.responseTo](message); } else { console.log('no endpoint or awaited response for message ' + message.responseTo); } } } } } else { console.log('no message data or missing type information'); } }; } function Receiver(name, remote) { this.remote = !!remote; this.name = name; this.listeners = []; // TODO use emit / proper custom events this.addListener = function(listener) { this.listeners[this.listeners.length] = listener; }; this.forward = function(message) { for (i in this.listeners) { var listener = this.listeners[i]; listener(message); } }; } var messageClient = function() { var receivers = []; var messagePeer = { sendMessage: function(message) { var dest = message.to; var receiver = this.getReceiver(dest); receiver.forward(message); }, getReceiver: function(name) { if (!receivers[name]) { receivers[name] = new Receiver(name); } return receivers[name]; }, getLocalReceivers: function() { var localReceivers = []; for (var idx = 0; idx < receivers.length; idx++) { var receiver = receivers[idx]; if (!receiver.remote) { localReceivers[localReceivers.length] = receiver; } } return localReceivers; } }; return messagePeer; }(); function Heartbeat(heartbeatID, destination, config) { this.config = config; config.addConfigChangedListener(function(newConfig) { this.stop(); this.config = newConfig; this.start(); }.bind(this)); this.heartbeatID = heartbeatID; this.destination = destination; } Heartbeat.prototype.getHeartbeatInterval = function() { if (this.config && this.config.heartbeatInterval) { console.log('interval set from config: ' + this.config.heartbeatInterval); console.log(this.config); return this.config.heartbeatInterval; } console.log('interval set from default'); return 1000; }; Heartbeat.prototype.beat = function() { messageClient.sendMessage({ type: 'heartbeat', time: new Date().getTime(), to: this.destination, from: this.heartbeatID }); }; Heartbeat.prototype.stop = function() { if (this.handle) { clearInterval(this.handle); this.handle = false; } // TODO: remove config listener }; Heartbeat.prototype.start = function() { if (this.handle) { this.stop(); } this.handle = setInterval(this.beat.bind(this), this.getHeartbeatInterval()); // TODO: Add config listener at this point }; // TODO: Configure the messagetransport from the probe config section function HTTPMessageTransport(name, receiver, config) { this.name = name; this.receiver = receiver; this.config = config; } HTTPMessageTransport.prototype.makeURL = function(message) { var unencoded = JSON.stringify(message); var encoded = encodeURI ? encodeURI(unencoded) : escape(unencoded); var URL = this.config.endpoint + "message=" + encoded + '&id=' + this.name; return URL; } HTTPMessageTransport.prototype.send = function(message) { var xhr = new XMLHttpRequest(); var URL = this.makeURL(message); xhr.open("GET", URL, true); xhr.onload = function(aEvt) { if (xhr.readyState == 4) { if (xhr.status == 200) { var messages = JSON.parse(xhr.responseText).messages; for (var idx = 0; idx < messages.length; idx++) { if (this.receiver) { this.receiver.forward(messages[idx]); } } } else { console.log("Error loading page\n"); } } }.bind(this); xhr.onerror = function(e) { console.log('Request to transport endpoint failed'); console.log(e.target.status); }; xhr.send(); } const transports = { HTTPMessageTransport: HTTPMessageTransport }; function Probe(url, id) { // TODO: create the transport name from a GUID or something (perhaps the // injector can get something sensible). this.transportName = id; this.receiver = messageClient.getReceiver(this.transportName); this.config = { // default is also set in Heartbeat - see message.js 'heartbeatInterval': 1000, 'monitorPostMessage': true, 'monitorEvents': true, 'interceptPostMessage': true, 'interceptEvents': true, 'listeners': [], 'addConfigChangedListener': function(listener) { if (-1 == this.listeners.indexOf(listener)) { this.listeners.push(listener); } }, 'removeConfigChangedListener': function(listener) { if (-1 != this.listeners.indexOf(listener)) { console.log('removing'); delete this.listeners[this.listeners.indexOf(listener)]; } }, 'notifyListeners': function() { for (listener in this.listeners) { this.listeners[listener](this); } } }; this.receiver.addListener(getActorsListener(messageClient, this.config)); // TODO: wrap with promise pixie dust var xhr = new XMLHttpRequest(); xhr.open("GET", url, true); xhr.onload = function(aEvt) { if (xhr.readyState == 4) { if (xhr.status == 200) { var json = xhr.responseText; var manifest = JSON.parse(json); this.configure(manifest); } } }.bind(this); xhr.send(); } Probe.prototype.configure = function(manifest) { if (manifest && manifest.features && manifest.features.probe) { var probeSection = manifest.features.probe; // get the remote endpoint ID this.endpointName = probeSection.endpointName; // copy probe section items to the config for (configItem in probeSection) { this.config[configItem] = probeSection[configItem]; } // find a suitable transport this.transport = new transports[probeSection.transport](this.transportName, this.receiver, probeSection); // Wire the transport to receive messages to the remote endpoint var remoteReceiver = messageClient.getReceiver(this.endpointName); remoteReceiver.addListener(function(message) { this.transport.send(message); }.bind(this)); // create a heartbeat // now create the heartbeat // TODO: Configure the heartbeat interval from the manifest this.heartbeat = new Heartbeat(this.transportName, this.endpointName, this.config); this.heartbeat.start(); // make XSS oracle if (probeSection.oracle) { window.xss = function(arg) { var child = document.createElement('img'); function cleanup() { console.log('cleaning up'); document.body.removeChild(child); } child.src = probeSection.oracle + arg; child.addEventListener('load', cleanup, false); child.addEventListener('error', cleanup, false); document.body.appendChild(child); }; } } }
{ "content_hash": "68f94a4d9a431f8aaf4c67ed4bdfbcd0", "timestamp": "", "source": "github", "line_count": 580, "max_line_length": 843, "avg_line_length": 35.20862068965517, "alnum_prop": 0.5413055188286567, "repo_name": "DarKnight24/owtf", "id": "14326480d0e73b23cfc9c27b4dde4167d34568b0", "size": "20421", "binary": false, "copies": "2", "ref": "refs/heads/develop", "path": "framework/http/proxy/plugnhack/pnh_probe.js", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "HTML", "bytes": "165961" }, { "name": "JavaScript", "bytes": "20557" }, { "name": "Python", "bytes": "704531" }, { "name": "Shell", "bytes": "58019" } ], "symlink_target": "" }
Puukissa project ================ What is this ? -------------- Puukissa is a very simple python-challenge website. Users may log in with openid, and then do exercises on python algorithms. User needs to type in the code to a Ace textfield, and the code is then checked on server in a python sandbox. At the moment, most of the text in the project is only in Finnish, and so is the documentation. Sorry :P License ------- MIT. Please refer to `LICENSE` for more information. Mikä on tämä? ------------- Lue ylläoleva ;) Projektin asentaminen --------------------- 1. Kloonaa tämä projekti gitillä (git clone ...). 2. Kopioi `settings.py-dist` tiedostoksi `settings.py`. 2. Suorita syncdb projektihakemistossa (`python manage.py syncdb`). 3. Suorita migrate projektihakemistossa (`python manage.py migrate`). 4. Testaa ajamalla runserver (`python manage.py runserver`). Kirjastot --------- * [Django 1.5 tai uudempi] (https://www.djangoproject.com/download/) `pip install django` * [django-openid-auth] (https://launchpad.net/django-openid-auth) `pip install django-openid-auth` * [python-openid] (https://github.com/openid/python-openid/) `pip install python-openid` * [South] (http://south.aeracode.org/) `pip install south` * [django-crispy-forms] (http://django-crispy-forms.readthedocs.org/) `pip install django-crispy-forms` * [pysandbox] (https://github.com/haypo/pysandbox/) `pip install pysandbox` * [django-tinymce] (http://django-tinymce.readthedocs.org/en/latest/) `pip install django-tinymce` Onelineri kirjastojen asentamiseen ---------------------------------- Seuraava koodirimpsu hakee kaikki tarpeelliset python-kirjastot ja dependenssit. pip install django django-openid-auth python-openid south django-crispy-forms pysandbox django-tinymce
{ "content_hash": "76091a82798fde6fdad5dd01b270ff02", "timestamp": "", "source": "github", "line_count": 42, "max_line_length": 108, "avg_line_length": 42.23809523809524, "alnum_prop": 0.7181510710259301, "repo_name": "katajakasa/Puukissa", "id": "e0a0cfb268776e4a99f6fc89aeb03c0c8e25e359", "size": "1781", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "README.md", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "5861" }, { "name": "JavaScript", "bytes": "211767" }, { "name": "Python", "bytes": "26916" } ], "symlink_target": "" }
""" vg composite command Build composite images from centered images, based on records in composites.csv. See also vgInitComposites.py, which builds initial pass at composites.csv. Note: even single channel images get a composite image (bw). Uses centered image if available, otherwise uses the plain adjusted image. """ import os import csv import cv2 import config import lib import libimg import vgCenter import vgInpaint def printStatus(channelRows,volume,nfile,startId): "print status message" nchannels = len(channelRows) print 'Volume %s compositing %d: %s (%d channels) \r' % \ (volume,nfile,startId,nchannels), def processChannels(channelRows, optionAlign): """ Combine channel images into new file, attempting to align them if optionAlign is True. channelRows is an array of rows corresponding to rows in the composites.csv file. should have [compositeId,centerId,volnum,filter,weight,x,y] eg [ ['C434823','C434823','5101','Orange'] ['C434823','C434825','5101','Blue','0.8','42','18'] ['C434823','C434827','5101','Green','1','-50','83'] ] they are combined and written to a file in the composites folder, step05_composites. Can have single channel groups. If optionAlign is True, will attempt to align the channels, and will return updated x,y values in channelRows. """ #. could also have zoom factor, warp info, rotate # for row in channelRows: print row centered = False weightXYFilledOut = False if len(channelRows) > 0: volume = '' compositeId = '' channels = [] for row in channelRows: compositeId = row[config.colCompositesCompositeId] fileId = row[config.colCompositesFileId] volume = row[config.colCompositesVolume] filter = row[config.colCompositesFilter] weight = float(row[config.colCompositesWeight]) \ if len(row)>config.colCompositesWeight else 1.0 x = int(row[config.colCompositesX]) if len(row)>config.colCompositesX else 0 y = int(row[config.colCompositesY]) if len(row)>config.colCompositesY else 0 if len(row)>config.colCompositesWeight: weightXYFilledOut = True # if don't have an inpaint or centered file, use the adjusted file channelfilepath = lib.getFilepath('inpaint', volume, fileId) if os.path.isfile(channelfilepath): centered = True else: channelfilepath = lib.getFilepath('center', volume, fileId, filter) if os.path.isfile(channelfilepath): centered = True else: channelfilepath = lib.getFilepath('adjust', volume, fileId, filter) if os.path.isfile(channelfilepath): channel = [fileId,filter,channelfilepath,weight,x,y] channels.append(channel) if len(channels)>0: outfilepath = lib.getFilepath('composite', volume, compositeId) if centered: optionAlign = False # don't try to align images if already centered if weightXYFilledOut: optionAlign = False # don't align if already have values # combine the channel images im, channels = libimg.combineChannels(channels, optionAlign) libimg.imwrite(outfilepath, im) # if -align: update channels x,y etc if optionAlign: # make sure all the rows have all their columns for row in channelRows: while len(row)<=config.colCompositesY: row.append('') # find each row in channelRows and update weights and x,y translation for row in channels: for row2 in channelRows: if row2[config.colCompositesFileId]==row[config.colChannelFileId]: row2[config.colCompositesWeight]=row[config.colChannelWeight] row2[config.colCompositesX]=row[config.colChannelX] row2[config.colCompositesY]=row[config.colChannelY] # print [ch[:-1] for ch in channels if ch] # return channels # caller needs to know if x,y values were changed xyChanged = not centered return xyChanged def writeUpdates(csvNew, channelRows): "" for row in channelRows: # row = [compositeId, fileId, volume, filter, weight, x, y] csvNew.writerow(row) # print row def vgComposite(filterVolume=None, filterCompositeId=None, filterTargetPath=None, optionOverwrite=False, optionAlign=False, directCall=True): """ Build composite images by combining channel images. Walks over records in composites.csv, merges channel images, writes to composites folder. eg composites.csv: compositeId,centerId,volume,filter,weight,x,y C1537728,C1537728,5103,Blue C1537728,C1537730,5103,Orange,0.8 C1537728,C1537732,5103,Green,1,10,3 => step05_composites/VGISS_5103/C1537728_composite.jpg Note: need to run vg init composites first. Note: weight,x,y are optional - default to 1,0,0 """ if filterCompositeId: filterCompositeId = filterCompositeId.upper() # always capital C # note: targetPathParts = [system, craft, target, camera] targetPathParts = lib.parseTargetPath(filterTargetPath) # build volume for previous step if filterVolume: filterVolume = str(filterVolume) outputSubfolder = lib.getSubfolder('composite', filterVolume) # quit if volume folder exists if os.path.isdir(outputSubfolder) and optionOverwrite==False: if directCall: print "Folder exists: " + outputSubfolder return # build the previous step, if not already there vgCenter.vgCenter(filterVolume, '', optionOverwrite=False, directCall=False) # vgInpaint.vgInpaint(filterVolume, '', optionOverwrite=False, directCall=False) # make folder lib.mkdir_p(outputSubfolder) # read small dbs into memory compositingInfo = lib.readCsv(config.dbCompositing) # when to turn centering on/off retargetingInfo = lib.readCsv(config.dbRetargeting) # remapping listed targets # open files.csv so can join to it csvFiles, fFiles = lib.openCsvReader(config.dbFiles) # open compositesNew.csv for writing if optionAlign: lib.rm(config.dbCompositesNew) csvNew, fNew = lib.openCsvWriter(config.dbCompositesNew) # iterate over composites.csv records csvComposites, fComposites = lib.openCsvReader(config.dbComposites) startId = '' startVol = '' channelRows = [] nfile = 0 for row in csvComposites: # get composite info compositeId = row[config.colCompositesCompositeId] fileId = row[config.colCompositesFileId] volume = row[config.colCompositesVolume] # join on files.csv to get more image properties # (note: since compositeId repeats, we might have already advanced to the next record, # in which case rowFiles will be None. But the target properties will remain the same.) rowFiles = lib.getJoinRow(csvFiles, config.colFilesFileId, compositeId) if rowFiles: # get file info filter = rowFiles[config.colFilesFilter] system = rowFiles[config.colFilesSystem] craft = rowFiles[config.colFilesCraft] target = rowFiles[config.colFilesTarget] camera = rowFiles[config.colFilesCamera] # relabel target field if necessary - see db/targets.csv for more info target = lib.retarget(retargetingInfo, compositeId, target) # filter on volume, composite id and targetpath volumeOk = (volume==filterVolume if filterVolume else True) compositeOk = (compositeId==filterCompositeId if filterCompositeId else True) targetPathOk = (lib.targetMatches(targetPathParts, system, craft, target, camera) \ if filterTargetPath else True) doComposite = (volumeOk and compositeOk and targetPathOk) if doComposite: # gather image filenames into channelRows so can merge them if compositeId == startId: channelRows.append(row) else: # we're seeing a new compositeId, so process all the gathered channels printStatus(channelRows,startVol,nfile,startId) processChannels(channelRows, optionAlign) # processChannels(channelRows, optionAlign, csvNew) # xyChanged = processChannels(channelRows, optionAlign) # if optionAlign and xyChanged: # writeUpdates(csvNew, channelRows) startId = compositeId startVol = volume channelRows = [row] nfile += 1 # process the last leftover group # print channelRows printStatus(channelRows,startVol,nfile,startId) processChannels(channelRows, optionAlign) # processChannels(channelRows, optionAlign, csvNew) # xyChanged = processChannels(channelRows,optionAlign) # if optionAlign and xyChanged: # writeUpdates(csvNew, channelRows) print if optionAlign: fNew.close() fFiles.close() fComposites.close() if __name__ == '__main__': os.chdir('..') # vgComposite(5117) # vgComposite(8207) # vgComposite(None,'c1617245') # ariel - works # vgComposite(None,'c2684338',None,optionOverwrite=True) # automatic - nowork # vgComposite(None,'c2684338',None,optionOverwrite=True, optionAlign=True) # filename = lib.getFilepath('composite','7206','c2684338') # ganymede # folder = '../../data/step04_adjust/VGISS_5117/' # file1 = folder + 'C1640236_adjusted_Blue.jpg' # file2 = folder + 'C1640234_adjusted_Violet.jpg' # file3 = folder + 'C1640238_adjusted_Orange.jpg' # vgComposite(None,'C1640232',None,optionOverwrite=True, optionAlign=True) # filename = lib.getFilepath('composite','5117','C1640232') # vgComposite(None,'C1640222',None,optionOverwrite=True, optionAlign=True) # filename = lib.getFilepath('composite','5117','C1640222') vgComposite(None,'C1642718',None,optionOverwrite=True, optionAlign=True) filename = lib.getFilepath('composite','5117','C1642718') im = cv2.imread(filename) libimg.show(im) # uranus # vgComposite(None,'C2656801',True) # filename = lib.getFilepath('composite','7205','C2656801') # im = cv2.imread(filename) # libimg.show(im) print 'done'
{ "content_hash": "595fa7a3ea898fa4d0b6116facf76c12", "timestamp": "", "source": "github", "line_count": 278, "max_line_length": 95, "avg_line_length": 38.611510791366904, "alnum_prop": 0.6520402459474567, "repo_name": "bburns/PyVoyager", "id": "21536581f691fc0827baa1ae8416c69cd4b3387a", "size": "10734", "binary": false, "copies": "1", "ref": "refs/heads/main", "path": "src/vgComposite.py", "mode": "33188", "license": "mit", "language": [ { "name": "Batchfile", "bytes": "1380" }, { "name": "Dockerfile", "bytes": "966" }, { "name": "Python", "bytes": "286683" } ], "symlink_target": "" }
/*! * # Semantic UI 2.6.0 - Loader * http://github.com/semantic-org/semantic-ui/ * * * Released under the MIT license * http://opensource.org/licenses/MIT * */ /******************************* Loader *******************************/ /* Standard Size */ .ui.loader { display: none; position: absolute; top: 50%; left: 50%; margin: 0px; text-align: center; z-index: 1000; -webkit-transform: translateX(-50%) translateY(-50%); transform: translateX(-50%) translateY(-50%); } /* Static Shape */ .ui.loader:before { position: absolute; content: ''; top: 0%; left: 50%; width: 100%; height: 100%; border-radius: 500rem; border: 0.2em solid rgba(0, 0, 0, 0.1); } /* Active Shape */ .ui.loader:after { position: absolute; content: ''; top: 0%; left: 50%; width: 100%; height: 100%; -webkit-animation: loader 0.6s linear; animation: loader 0.6s linear; -webkit-animation-iteration-count: infinite; animation-iteration-count: infinite; border-radius: 500rem; border-color: #767676 transparent transparent; border-style: solid; border-width: 0.2em; -webkit-box-shadow: 0px 0px 0px 1px transparent; box-shadow: 0px 0px 0px 1px transparent; } /* Speeds */ .ui.fast.loader:after { -webkit-animation: loader 0.3s linear; animation: loader 0.3s linear; -webkit-animation-iteration-count: infinite; animation-iteration-count: infinite; } .ui.slow.loader:after { -webkit-animation: loader 0.9s linear; animation: loader 0.9s linear; -webkit-animation-iteration-count: infinite; animation-iteration-count: infinite; } /* Active Animation */ @-webkit-keyframes loader { from { -webkit-transform: rotate(0deg); transform: rotate(0deg); } to { -webkit-transform: rotate(360deg); transform: rotate(360deg); } } @keyframes loader { from { -webkit-transform: rotate(0deg); transform: rotate(0deg); } to { -webkit-transform: rotate(360deg); transform: rotate(360deg); } } /* Sizes */ .ui.mini.loader:before, .ui.mini.loader:after { width: 1rem; height: 1rem; margin: 0em 0em 0em -0.5rem; } .ui.tiny.loader:before, .ui.tiny.loader:after { width: 1.14285714rem; height: 1.14285714rem; margin: 0em 0em 0em -0.57142857rem; } .ui.small.loader:before, .ui.small.loader:after { width: 1.71428571rem; height: 1.71428571rem; margin: 0em 0em 0em -0.85714286rem; } .ui.loader:before, .ui.loader:after { width: 2.28571429rem; height: 2.28571429rem; margin: 0em 0em 0em -1.14285714rem; } .ui.large.loader:before, .ui.large.loader:after { width: 3.42857143rem; height: 3.42857143rem; margin: 0em 0em 0em -1.71428571rem; } .ui.big.loader:before, .ui.big.loader:after { width: 3.71428571rem; height: 3.71428571rem; margin: 0em 0em 0em -1.85714286rem; } .ui.huge.loader:before, .ui.huge.loader:after { width: 4.14285714rem; height: 4.14285714rem; margin: 0em 0em 0em -2.07142857rem; } .ui.massive.loader:before, .ui.massive.loader:after { width: 4.57142857rem; height: 4.57142857rem; margin: 0em 0em 0em -2.28571429rem; } /*------------------- Coupling --------------------*/ /* Show inside active dimmer */ .ui.dimmer .loader { display: block; } /* Black Dimmer */ .ui.dimmer .ui.loader { color: rgba(255, 255, 255, 0.9); } .ui.dimmer .ui.loader:before { border-color: rgba(255, 255, 255, 0.15); } .ui.dimmer .ui.loader:after { border-color: #FFFFFF transparent transparent; } /* White Dimmer (Inverted) */ .ui.inverted.dimmer .ui.loader { color: rgba(0, 0, 0, 0.87); } .ui.inverted.dimmer .ui.loader:before { border-color: rgba(0, 0, 0, 0.1); } .ui.inverted.dimmer .ui.loader:after { border-color: #767676 transparent transparent; } /******************************* Types *******************************/ /*------------------- Text --------------------*/ .ui.text.loader { width: auto !important; height: auto !important; text-align: center; font-style: normal; } /******************************* States *******************************/ .ui.indeterminate.loader:after { animation-direction: reverse; -webkit-animation-duration: 1.2s; animation-duration: 1.2s; } .ui.loader.active, .ui.loader.visible { display: block; } .ui.loader.disabled, .ui.loader.hidden { display: none; } /******************************* Variations *******************************/ /*------------------- Sizes --------------------*/ /* Loader */ .ui.inverted.dimmer .ui.mini.loader, .ui.mini.loader { width: 1rem; height: 1rem; font-size: 0.78571429em; } .ui.inverted.dimmer .ui.tiny.loader, .ui.tiny.loader { width: 1.14285714rem; height: 1.14285714rem; font-size: 0.85714286em; } .ui.inverted.dimmer .ui.small.loader, .ui.small.loader { width: 1.71428571rem; height: 1.71428571rem; font-size: 0.92857143em; } .ui.inverted.dimmer .ui.loader, .ui.loader { width: 2.28571429rem; height: 2.28571429rem; font-size: 1em; } .ui.inverted.dimmer .ui.large.loader, .ui.large.loader { width: 3.42857143rem; height: 3.42857143rem; font-size: 1.14285714em; } .ui.inverted.dimmer .ui.big.loader, .ui.big.loader { width: 3.71428571rem; height: 3.71428571rem; font-size: 1.28571429em; } .ui.inverted.dimmer .ui.huge.loader, .ui.huge.loader { width: 4.14285714rem; height: 4.14285714rem; font-size: 1.42857143em; } .ui.inverted.dimmer .ui.massive.loader, .ui.massive.loader { width: 4.57142857rem; height: 4.57142857rem; font-size: 1.71428571em; } /* Text Loader */ .ui.mini.text.loader { min-width: 1rem; padding-top: 1.78571429rem; } .ui.tiny.text.loader { min-width: 1.14285714rem; padding-top: 1.92857143rem; } .ui.small.text.loader { min-width: 1.71428571rem; padding-top: 2.5rem; } .ui.text.loader { min-width: 2.28571429rem; padding-top: 3.07142857rem; } .ui.large.text.loader { min-width: 3.42857143rem; padding-top: 4.21428571rem; } .ui.big.text.loader { min-width: 3.71428571rem; padding-top: 4.5rem; } .ui.huge.text.loader { min-width: 4.14285714rem; padding-top: 4.92857143rem; } .ui.massive.text.loader { min-width: 4.57142857rem; padding-top: 5.35714286rem; } /*------------------- Colors --------------------*/ .ui.primary.loader:after { border-color: #2185D0 transparent transparent; } .ui.secondary.loader:after { border-color: #1B1C1D transparent transparent; } .ui.red.loader:after { border-color: #DB2828 transparent transparent; } .ui.orange.loader:after { border-color: #F2711C transparent transparent; } .ui.yellow.loader:after { border-color: #FBBD08 transparent transparent; } .ui.olive.loader:after { border-color: #B5CC18 transparent transparent; } .ui.green.loader:after { border-color: #21BA45 transparent transparent; } .ui.teal.loader:after { border-color: #00B5AD transparent transparent; } .ui.blue.loader:after { border-color: #2185D0 transparent transparent; } .ui.violet.loader:after { border-color: #6435C9 transparent transparent; } .ui.purple.loader:after { border-color: #A333C8 transparent transparent; } .ui.pink.loader:after { border-color: #E03997 transparent transparent; } .ui.brown.loader:after { border-color: #A5673F transparent transparent; } .ui.grey.loader:after { border-color: #767676 transparent transparent; } .ui.black.loader:after { border-color: #1B1C1D transparent transparent; } /*------------------- Inverted --------------------*/ .ui.inverted.loader { color: rgba(255, 255, 255, 0.9); } .ui.inverted.loader:before { border-color: rgba(255, 255, 255, 0.15); } .ui.inverted.loader:after { border-top-color: #FFFFFF; } /* Colors */ .ui.inverted.primary.loader:after { border-color: #54C8FF transparent transparent; } .ui.inverted.secondary.loader:after { border-color: #545454 transparent transparent; } .ui.inverted.red.loader:after { border-color: #FF695E transparent transparent; } .ui.inverted.orange.loader:after { border-color: #FF851B transparent transparent; } .ui.inverted.yellow.loader:after { border-color: #FFE21F transparent transparent; } .ui.inverted.olive.loader:after { border-color: #D9E778 transparent transparent; } .ui.inverted.green.loader:after { border-color: #2ECC40 transparent transparent; } .ui.inverted.teal.loader:after { border-color: #6DFFFF transparent transparent; } .ui.inverted.blue.loader:after { border-color: #54C8FF transparent transparent; } .ui.inverted.violet.loader:after { border-color: #A291FB transparent transparent; } .ui.inverted.purple.loader:after { border-color: #DC73FF transparent transparent; } .ui.inverted.pink.loader:after { border-color: #FF8EDF transparent transparent; } .ui.inverted.brown.loader:after { border-color: #D67C1C transparent transparent; } .ui.inverted.grey.loader:after { border-color: #DCDDDE transparent transparent; } .ui.inverted.black.loader:after { border-color: #545454 transparent transparent; } /*------------------- Inline --------------------*/ .ui.inline.loader { position: relative; vertical-align: middle; margin: 0em; left: 0em; top: 0em; -webkit-transform: none; transform: none; } .ui.inline.loader.active, .ui.inline.loader.visible { display: inline-block; } /* Centered Inline */ .ui.centered.inline.loader.active, .ui.centered.inline.loader.visible { display: block; margin-left: auto; margin-right: auto; } /******************************* Theme Overrides *******************************/ /******************************* Site Overrides *******************************/
{ "content_hash": "b5f5c8d73df0b90fc6a7128da3cde4ed", "timestamp": "", "source": "github", "line_count": 458, "max_line_length": 55, "avg_line_length": 21.17248908296943, "alnum_prop": 0.6383417551820151, "repo_name": "sufuf3/cdnjs", "id": "5903f998aa028610b12acdbaeff69f81c6d58b56", "size": "9697", "binary": false, "copies": "8", "ref": "refs/heads/master", "path": "ajax/libs/fomantic-ui/2.6.0/components/loader.css", "mode": "33188", "license": "mit", "language": [], "symlink_target": "" }
using System.Globalization; using System.IO; using System.Reflection; using System.Security; namespace System.Configuration { internal class ClientConfigPaths { internal const string UserConfigFilename = "user.config"; private const string ConfigExtension = ".config"; private const int MaxLengthToUse = 25; private const string HttpUri = "http://"; private const string StrongNameDesc = "StrongName"; private const string UrlDesc = "Url"; private const string PathDesc = "Path"; private static volatile ClientConfigPaths s_current; private static volatile bool s_currentIncludesUserConfig; private readonly bool _includesUserConfig; private string _companyName; private ClientConfigPaths(string exePath, bool includeUserConfig) { _includesUserConfig = includeUserConfig; Assembly exeAssembly = null; string applicationFilename = null; if (exePath != null) { // Exe path was specified, use it ApplicationUri = Path.GetFullPath(exePath); if (!File.Exists(ApplicationUri)) { throw ExceptionUtil.ParameterInvalid(nameof(exePath)); } applicationFilename = ApplicationUri; } else { // Exe path wasn't specified, get it from the entry assembly exeAssembly = Assembly.GetEntryAssembly(); if (exeAssembly == null) throw new PlatformNotSupportedException(); HasEntryAssembly = true; // The original NetFX (desktop) code tried to get the local path without using Uri. // If we ever find a need to do this again be careful with the logic. "file:///" is // used for local paths and "file://" for UNCs. Simply removing the prefix will make // local paths relative on Unix (e.g. "file:///home" will become "home" instead of // "/home"). string configBasePath = Path.Combine(AppDomain.CurrentDomain.BaseDirectory, exeAssembly.ManifestModule.Name); Uri uri = new Uri(configBasePath); if (uri.IsFile) { ApplicationUri = uri.LocalPath; applicationFilename = uri.LocalPath; } else { ApplicationUri = Uri.EscapeDataString(configBasePath); } } ApplicationConfigUri = ApplicationUri + ConfigExtension; // In the case when exePath was explicitly supplied, we will not be able to // construct user.config paths, so quit here. if (exePath != null) return; // Skip expensive initialization of user config file information if requested. if (!_includesUserConfig) return; bool isHttp = StringUtil.StartsWithOrdinalIgnoreCase(ApplicationConfigUri, HttpUri); SetNamesAndVersion(applicationFilename, exeAssembly, isHttp); if (isHttp) return; // Create a directory suffix for local and roaming config of three parts: // (1) Company name string part1 = Validate(_companyName, limitSize: true); // (2) Domain or product name & an application urit hash string namePrefix = Validate(AppDomain.CurrentDomain.FriendlyName, limitSize: true); if (string.IsNullOrEmpty(namePrefix)) namePrefix = Validate(ProductName, limitSize: true); string applicationUriLower = !string.IsNullOrEmpty(ApplicationUri) ? ApplicationUri.ToLower(CultureInfo.InvariantCulture) : null; string hashSuffix = GetTypeAndHashSuffix(applicationUriLower); string part2 = !string.IsNullOrEmpty(namePrefix) && !string.IsNullOrEmpty(hashSuffix) ? namePrefix + hashSuffix : null; // (3) The product version string part3 = Validate(ProductVersion, limitSize: false); string dirSuffix = CombineIfValid(CombineIfValid(part1, part2), part3); string roamingFolderPath = Environment.GetFolderPath(Environment.SpecialFolder.ApplicationData); if (Path.IsPathRooted(roamingFolderPath)) { RoamingConfigDirectory = CombineIfValid(roamingFolderPath, dirSuffix); RoamingConfigFilename = CombineIfValid(RoamingConfigDirectory, UserConfigFilename); } string localFolderPath = Environment.GetFolderPath(Environment.SpecialFolder.LocalApplicationData); if (Path.IsPathRooted(localFolderPath)) { LocalConfigDirectory = CombineIfValid(localFolderPath, dirSuffix); LocalConfigFilename = CombineIfValid(LocalConfigDirectory, UserConfigFilename); } } internal static ClientConfigPaths Current => GetPaths(null, true); internal bool HasEntryAssembly { get; } internal string ApplicationUri { get; } internal string ApplicationConfigUri { get; } internal string RoamingConfigFilename { get; } internal string RoamingConfigDirectory { get; } internal bool HasRoamingConfig => (RoamingConfigFilename != null) || !_includesUserConfig; internal string LocalConfigFilename { get; } internal string LocalConfigDirectory { get; } internal bool HasLocalConfig => (LocalConfigFilename != null) || !_includesUserConfig; internal string ProductName { get; private set; } internal string ProductVersion { get; private set; } internal static ClientConfigPaths GetPaths(string exePath, bool includeUserConfig) { ClientConfigPaths result; if (exePath == null) { if ((s_current == null) || (includeUserConfig && !s_currentIncludesUserConfig)) { s_current = new ClientConfigPaths(null, includeUserConfig); s_currentIncludesUserConfig = includeUserConfig; } result = s_current; } else result = new ClientConfigPaths(exePath, includeUserConfig); return result; } internal static void RefreshCurrent() { s_currentIncludesUserConfig = false; s_current = null; } // Combines path2 with path1 if possible, else returns null. private static string CombineIfValid(string path1, string path2) { if ((path1 == null) || (path2 == null)) return null; try { return Path.Combine(path1, path2); } catch { return null; } } // Returns a type and hash suffix based on what used to come from app domain evidence. // The evidence we use, in priority order, is Strong Name, Url and Exe Path. If one of // these is found, we compute a SHA1 hash of it and return a suffix based on that. // If none is found, we return null. private static string GetTypeAndHashSuffix(string exePath) { Assembly assembly = Assembly.GetEntryAssembly(); string suffix = null; string typeName = null; string hash = null; if (assembly != null) { AssemblyName assemblyName = assembly.GetName(); Uri codeBase = new Uri(Path.Combine(AppDomain.CurrentDomain.BaseDirectory, assembly.ManifestModule.Name)); hash = IdentityHelper.GetNormalizedStrongNameHash(assemblyName); if (hash != null) { typeName = StrongNameDesc; } else { hash = IdentityHelper.GetNormalizedUriHash(codeBase); typeName = UrlDesc; } } else if (!string.IsNullOrEmpty(exePath)) { // Fall back on the exe name hash = IdentityHelper.GetStrongHashSuitableForObjectName(exePath); typeName = PathDesc; } if (!string.IsNullOrEmpty(hash)) suffix = "_" + typeName + "_" + hash; return suffix; } private void SetNamesAndVersion(string applicationFilename, Assembly exeAssembly, bool isHttp) { Type mainType = null; // Get CompanyName, ProductName, and ProductVersion // First try custom attributes on the assembly. if (exeAssembly != null) { object[] attrs = exeAssembly.GetCustomAttributes(typeof(AssemblyCompanyAttribute), false); if ((attrs != null) && (attrs.Length > 0)) { _companyName = ((AssemblyCompanyAttribute)attrs[0]).Company?.Trim(); } attrs = exeAssembly.GetCustomAttributes(typeof(AssemblyProductAttribute), false); if ((attrs != null) && (attrs.Length > 0)) { ProductName = ((AssemblyProductAttribute)attrs[0]).Product?.Trim(); } ProductVersion = exeAssembly.GetName().Version.ToString().Trim(); } // If we couldn't get custom attributes, fall back on the entry type namespace if (!isHttp && (string.IsNullOrEmpty(_companyName) || string.IsNullOrEmpty(ProductName) || string.IsNullOrEmpty(ProductVersion))) { if (exeAssembly != null) { MethodInfo entryPoint = exeAssembly.EntryPoint; if (entryPoint != null) { mainType = entryPoint.ReflectedType; } } string ns = null; if (mainType != null) ns = mainType.Namespace; if (string.IsNullOrEmpty(ProductName)) { // Try the remainder of the namespace if (ns != null) { int lastDot = ns.LastIndexOf(".", StringComparison.Ordinal); if ((lastDot != -1) && (lastDot < ns.Length - 1)) ProductName = ns.Substring(lastDot + 1); else ProductName = ns; ProductName = ProductName.Trim(); } // Try the type of the entry assembly if (string.IsNullOrEmpty(ProductName) && (mainType != null)) ProductName = mainType.Name.Trim(); // give up, return empty string if (ProductName == null) ProductName = string.Empty; } if (string.IsNullOrEmpty(_companyName)) { // Try the first part of the namespace if (ns != null) { int firstDot = ns.IndexOf(".", StringComparison.Ordinal); _companyName = firstDot != -1 ? ns.Substring(0, firstDot) : ns; _companyName = _companyName.Trim(); } // If that doesn't work, use the product name if (string.IsNullOrEmpty(_companyName)) _companyName = ProductName; } } // Desperate measures for product version - assume 1.0 if (string.IsNullOrEmpty(ProductVersion)) ProductVersion = "1.0.0.0"; } // Makes the passed in string suitable to use as a path name by replacing illegal characters // with underscores. Additionally, we do two things - replace spaces too with underscores and // limit the resultant string's length to MaxLengthToUse if limitSize is true. private static string Validate(string str, bool limitSize) { string validated = str; if (string.IsNullOrEmpty(validated)) return validated; // First replace all illegal characters with underscores foreach (char c in Path.GetInvalidFileNameChars()) validated = validated.Replace(c, '_'); // Replace all spaces with underscores validated = validated.Replace(' ', '_'); if (limitSize) { validated = validated.Length > MaxLengthToUse ? validated.Substring(0, MaxLengthToUse) : validated; } return validated; } } }
{ "content_hash": "ba752240477390b5a078588f07e78665", "timestamp": "", "source": "github", "line_count": 330, "max_line_length": 125, "avg_line_length": 39.02121212121212, "alnum_prop": 0.560767259454842, "repo_name": "wtgodbe/corefx", "id": "f2b9289655f22dc2977a6131330daedbb713e37a", "size": "13081", "binary": false, "copies": "29", "ref": "refs/heads/master", "path": "src/System.Configuration.ConfigurationManager/src/System/Configuration/ClientConfigPaths.cs", "mode": "33188", "license": "mit", "language": [ { "name": "1C Enterprise", "bytes": "280724" }, { "name": "ASP", "bytes": "1687" }, { "name": "Batchfile", "bytes": "11027" }, { "name": "C", "bytes": "3803475" }, { "name": "C#", "bytes": "181225579" }, { "name": "C++", "bytes": "1521" }, { "name": "CMake", "bytes": "79434" }, { "name": "DIGITAL Command Language", "bytes": "26402" }, { "name": "HTML", "bytes": "653" }, { "name": "Makefile", "bytes": "13780" }, { "name": "OpenEdge ABL", "bytes": "137969" }, { "name": "Perl", "bytes": "3895" }, { "name": "PowerShell", "bytes": "192527" }, { "name": "Python", "bytes": "1535" }, { "name": "Roff", "bytes": "9422" }, { "name": "Shell", "bytes": "131260" }, { "name": "TSQL", "bytes": "96941" }, { "name": "Visual Basic", "bytes": "2135715" }, { "name": "XSLT", "bytes": "514720" } ], "symlink_target": "" }
"""Utilities used throughout for internationalization """ from django.utils import formats import six import decimal def _date_format(date, date_format, decode=False): formatted = formats.date_format( date, date_format, use_l10n=True ) if decode: return formatted return formatted.encode('UTF-8') def l10n_date_iso(date, decode=False): return _date_format(date, 'DATE_FORMAT', decode=decode) def l10n_date_short(date, decode=False): return _date_format(date, 'SHORT_DATE_FORMAT', decode=decode) def l10n_date_medium(date, decode=False): return _date_format(date, 'MEDIUM_DATE_FORMAT', decode=decode) def l10n_date_long(date, decode=False): return _date_format(date, 'LONG_DATE_FORMAT', decode=decode) def l10n_date_year_month(date, decode=False): return _date_format(date, 'YEAR_MONTH_FORMAT', decode=decode) def l10n_monthname(date, decode=False): return _date_format(date, 'N', decode=decode) def l10n_number(value): if isinstance(value, (decimal.Decimal, float) + six.integer_types): return formats.number_format(value, use_l10n=True) else: suffix = '' try: value = str(value).rstrip() if len(value) > 1 and value[-1] == '%': suffix = '%' value = value[:-1] if value.isdigit(): value = int(value) elif value.replace('.', '', 1).isdigit(): value = float(value) else: return str(value) + suffix return formats.number_format(value, use_l10n=True) + suffix except ValueError: return value return value
{ "content_hash": "1c453a4054f0ae079aa6d0cd7b51ca0f", "timestamp": "", "source": "github", "line_count": 61, "max_line_length": 71, "avg_line_length": 27.80327868852459, "alnum_prop": 0.6120283018867925, "repo_name": "mercycorps/TolaActivity", "id": "d8fdec8f0c9c27396d986dbf2391eb6d4c0e17f6", "size": "1696", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "tola/l10n_utils.py", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "432462" }, { "name": "Dockerfile", "bytes": "109" }, { "name": "HTML", "bytes": "437661" }, { "name": "JavaScript", "bytes": "5654491" }, { "name": "Python", "bytes": "1741812" }, { "name": "Shell", "bytes": "4752" } ], "symlink_target": "" }
import Registry from '../../Registry'; import OrOperator from './OrOperator'; declare module "../../Builder" { /** * @author Maciej Chałapuk ([email protected]) */ interface OperatorBuilder<T> { or : AssertionBuilder<T>; } } export { OrOperator }; export default OrOperator; export const instance = new OrOperator(); /** * @author Maciej Chałapuk ([email protected]) */ export function registerIn(registry : Registry) { registry.addBinaryOperator({ or : instance, }); }
{ "content_hash": "21ccf59aab5117aa6eac660297d24afa", "timestamp": "", "source": "github", "line_count": 27, "max_line_length": 49, "avg_line_length": 18.666666666666668, "alnum_prop": 0.6706349206349206, "repo_name": "webfront-toolkit/offensive.js", "id": "09dbb1e9296789403865e5dc69aac9f28c1c557b", "size": "506", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/operators/or/index.ts", "mode": "33188", "license": "mit", "language": [ { "name": "CoffeeScript", "bytes": "30384" }, { "name": "JavaScript", "bytes": "35721" }, { "name": "TypeScript", "bytes": "240" } ], "symlink_target": "" }
using System; using System.Linq; using NBitcoin; using Newtonsoft.Json; using Stratis.Bitcoin.Utilities.JsonConverters; namespace Stratis.Bitcoin.Controllers.Models { public class BlockModel { [JsonProperty("hash")] public string Hash { get; private set; } [JsonProperty("confirmations")] public int Confirmations { get; private set; } [JsonProperty("size")] public int Size { get; private set; } [JsonProperty("weight")] public long Weight { get; private set; } [JsonProperty("height")] public int Height { get; private set; } [JsonProperty("version")] public int Version { get; private set; } [JsonProperty("versionHex")] public string VersionHex { get; private set; } [JsonProperty("merkleroot")] public string MerkleRoot { get; private set; } [JsonProperty("tx")] public object[] Transactions { get; private set; } [JsonProperty("time")] [JsonConverter(typeof(DateTimeOffsetConverter))] public DateTimeOffset Time { get; private set; } [JsonProperty("mediantime")] [JsonConverter(typeof(DateTimeOffsetConverter))] public DateTimeOffset MedianTime { get; private set; } [JsonProperty("nonce")] public uint Nonce { get; private set; } [JsonProperty("bits")] public string Bits { get; private set; } [JsonProperty("difficulty")] public double Difficulty { get; private set; } [JsonProperty("chainwork")] public string ChainWork { get; private set; } [JsonProperty("nTx")] public int NumberOfTransactions { get; private set; } [JsonProperty("previousblockhash")] public string PreviousBlockHash { get; private set; } [JsonProperty("nextblockhash")] public string NextBlockHash { get; private set; } /// <summary> /// Creates a block model /// Used for deserializing from Json /// </summary> public BlockModel() { } public BlockModel(Block block, ChainedHeader chainedHeader, ChainedHeader tip, Network network, int verbosity = 1) { this.Hash = block.GetHash().ToString(); this.Confirmations = tip.Height - chainedHeader.Height + 1; this.Size = block.ToBytes().Length; this.Weight = block.GetBlockWeight(network.Consensus); this.Height = chainedHeader.Height; this.Version = block.Header.Version; this.VersionHex = block.Header.Version.ToString("x8"); this.MerkleRoot = block.Header.HashMerkleRoot.ToString(); if (verbosity == 1) this.Transactions = block.Transactions.Select(t => t.GetHash().ToString()).ToArray(); if (verbosity == 2) this.Transactions = block.Transactions.Select(t => new TransactionVerboseModel(t, network)).ToArray(); this.Time = block.Header.BlockTime; this.MedianTime = chainedHeader.GetMedianTimePast(); this.Nonce = block.Header.Nonce; this.Bits = block.Header.Bits.ToCompact().ToString("x8"); this.Difficulty = block.Header.Bits.Difficulty; this.ChainWork = chainedHeader.ChainWork.ToString(); this.NumberOfTransactions = block.Transactions.Count(); this.PreviousBlockHash = block.Header.HashPrevBlock.ToString(); this.NextBlockHash = chainedHeader.Next?.FirstOrDefault()?.HashBlock.ToString(); } } }
{ "content_hash": "6eac606d91674657344fd97573141e24", "timestamp": "", "source": "github", "line_count": 101, "max_line_length": 122, "avg_line_length": 35.54455445544554, "alnum_prop": 0.6197771587743732, "repo_name": "bokobza/StratisBitcoinFullNode", "id": "3671ea0d3dc8eefe1eed76d532dc549475964f16", "size": "3592", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "src/Stratis.Bitcoin/Controllers/Models/BlockModel.cs", "mode": "33188", "license": "mit", "language": [ { "name": "Batchfile", "bytes": "216" }, { "name": "C#", "bytes": "11672570" }, { "name": "CSS", "bytes": "162959" }, { "name": "Dockerfile", "bytes": "1636" }, { "name": "HTML", "bytes": "44120" }, { "name": "JavaScript", "bytes": "4289" }, { "name": "PowerShell", "bytes": "8508" }, { "name": "Shell", "bytes": "3446" } ], "symlink_target": "" }
import os import sys import tempfile import pprint import traceback # disable python from generating a .pyc file sys.dont_write_bytecode = True # change me to the path of pytan if this script is not running from EXAMPLES/PYTAN_API pytan_loc = "~/gh/pytan" pytan_static_path = os.path.join(os.path.expanduser(pytan_loc), 'lib') # Determine our script name, script dir my_file = os.path.abspath(sys.argv[0]) my_dir = os.path.dirname(my_file) # try to automatically determine the pytan lib directory by assuming it is in '../../lib/' parent_dir = os.path.dirname(my_dir) pytan_root_dir = os.path.dirname(parent_dir) lib_dir = os.path.join(pytan_root_dir, 'lib') # add pytan_loc and lib_dir to the PYTHONPATH variable path_adds = [lib_dir, pytan_static_path] [sys.path.append(aa) for aa in path_adds if aa not in sys.path] # import pytan import pytan # create a dictionary of arguments for the pytan handler handler_args = {} # establish our connection info for the Tanium Server handler_args['username'] = "Administrator" handler_args['password'] = "Tanium2015!" handler_args['host'] = "10.0.1.240" handler_args['port'] = "443" # optional # optional, level 0 is no output except warnings/errors # level 1 through 12 are more and more verbose handler_args['loglevel'] = 1 # optional, use a debug format for the logging output (uses two lines per log entry) handler_args['debugformat'] = False # optional, this saves all response objects to handler.session.ALL_REQUESTS_RESPONSES # very useful for capturing the full exchange of XML requests and responses handler_args['record_all_requests'] = True # instantiate a handler using all of the arguments in the handler_args dictionary print "...CALLING: pytan.handler() with args: {}".format(handler_args) handler = pytan.Handler(**handler_args) # print out the handler string print "...OUTPUT: handler string: {}".format(handler) # setup the arguments for the handler() class kwargs = {} kwargs["export_format"] = u'xml' kwargs["minimal"] = False # setup the arguments for handler.get() get_kwargs = { 'name': [ "Computer Name", "IP Route Details", "IP Address", 'Folder Contents', ], 'objtype': 'sensor', } # get the objects that will provide the basetype that we want to export print "...CALLING: handler.get() with args: {}".format(get_kwargs) response = handler.get(**get_kwargs) # store the basetype object as the obj we want to export kwargs['obj'] = response # export the object to a string # (we could just as easily export to a file using export_to_report_file) print "...CALLING: handler.export_obj() with args {}".format(kwargs) out = handler.export_obj(**kwargs) # trim the output if it is more than 15 lines long if len(out.splitlines()) > 15: out = out.splitlines()[0:15] out.append('..trimmed for brevity..') out = '\n'.join(out) print "...OUTPUT: print the export_str returned from export_obj():" print out
{ "content_hash": "9dc1c6d373f6daebaa0f1d5ef0c25e14", "timestamp": "", "source": "github", "line_count": 90, "max_line_length": 90, "avg_line_length": 32.51111111111111, "alnum_prop": 0.7194121667805878, "repo_name": "tanium/pytan", "id": "c6b52b36baddda05cc513a639b8c407fadb6a123", "size": "2969", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "BUILD/doc/source/examples/export_basetype_xml_minimal_false_code.py", "mode": "33188", "license": "mit", "language": [ { "name": "Batchfile", "bytes": "13251" }, { "name": "CSS", "bytes": "32442" }, { "name": "HTML", "bytes": "1232764" }, { "name": "JavaScript", "bytes": "375167" }, { "name": "Makefile", "bytes": "4287" }, { "name": "Python", "bytes": "2541262" }, { "name": "Shell", "bytes": "3194" } ], "symlink_target": "" }
<vector xmlns:android="http://schemas.android.com/apk/res/android" android:width="24dp" android:height="24dp" android:viewportWidth="24" android:viewportHeight="24" android:tint="?attr/colorControlNormal"> <path android:fillColor="@android:color/white" android:pathData="M5.2,20.9 L4.45,20.125 12,3.05 19.55,20.125 18.8,20.9 12,18.025Z"/> </vector>
{ "content_hash": "67739855573469d900345dd31053fb59", "timestamp": "", "source": "github", "line_count": 10, "max_line_length": 91, "avg_line_length": 38.3, "alnum_prop": 0.6892950391644909, "repo_name": "google/material-design-icons", "id": "7a9e3bf60ece877414c60bde9caf0bdad09e370c", "size": "383", "binary": false, "copies": "4", "ref": "refs/heads/master", "path": "symbols/android/navigation/materialsymbolsoutlined/navigation_wght200grad200fill1_24px.xml", "mode": "33188", "license": "apache-2.0", "language": [], "symlink_target": "" }
<?php return [ // string, required, root directory of all source files 'sourcePath' => __DIR__ . '/..', // string, required, root directory containing message translations. 'messagePath' => __DIR__, // array, required, list of language codes that the extracted messages // should be translated to. For example, ['zh-CN', 'de']. 'languages' => ['ar', 'az', 'bg', 'bs', 'ca', 'cs', 'da', 'de', 'el', 'es', 'et', 'fa', 'fi', 'fr', 'he', 'hu', 'id', 'it', 'ja', 'kk', 'ko', 'lt', 'lv', 'ms', 'nb-NO', 'nl', 'pl', 'pt', 'pt-BR', 'ro', 'ru', 'sk', 'sl', 'sr', 'sr-Latn', 'sv', 'th', 'tj', 'uk', 'vi', 'zh-CN','zh-TW'], // string, the name of the function for translating messages. // Defaults to 'Yii::t'. This is used as a mark to find the messages to be // translated. You may use a string for single function name or an array for // multiple function names. 'translator' => 'Yii::t', // boolean, whether to sort messages by keys when merging new messages // with the existing ones. Defaults to false, which means the new (untranslated) // messages will be separated from the old (translated) ones. 'sort' => false, // boolean, whether the message file should be overwritten with the merged messages 'overwrite' => true, // boolean, whether to remove messages that no longer appear in the source code. // Defaults to false, which means each of these messages will be enclosed with a pair of '@@' marks. 'removeUnused' => false, // array, list of patterns that specify which files/directories should NOT be processed. // If empty or not set, all files/directories will be processed. // A path matches a pattern if it contains the pattern string at its end. For example, // '/a/b' will match all files and directories ending with '/a/b'; // the '*.svn' will match all files and directories whose name ends with '.svn'. // and the '.svn' will match all files and directories named exactly '.svn'. // Note, the '/' characters in a pattern matches both '/' and '\'. // See helpers/FileHelper::findFiles() description for more details on pattern matching rules. 'except' => [ '.svn', '.git', '.gitignore', '.gitkeep', '.hgignore', '.hgkeep', '/messages', '/BaseYii.php', // contains examples about Yii:t() ], // array, list of patterns that specify which files (not directories) should be processed. // If empty or not set, all files will be processed. // Please refer to "except" for details about the patterns. // If a file/directory matches both a pattern in "only" and "except", it will NOT be processed. 'only' => ['*.php'], // Generated file format. Can be "php", "db" or "po". 'format' => 'php', // Connection component ID for "db" format. //'db' => 'db', ];
{ "content_hash": "669bbb101303df7eec7c4fcf9459e2f1", "timestamp": "", "source": "github", "line_count": 52, "max_line_length": 288, "avg_line_length": 56.40384615384615, "alnum_prop": 0.6099556767814525, "repo_name": "nikn/it-asu.ru", "id": "7be6151262759a71d75c78bda4a345663fad358a", "size": "2933", "binary": false, "copies": "5", "ref": "refs/heads/master", "path": "vendor/yiisoft/yii2/messages/config.php", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "ApacheConf", "bytes": "766" }, { "name": "Batchfile", "bytes": "1541" }, { "name": "CSS", "bytes": "220113" }, { "name": "HTML", "bytes": "27479" }, { "name": "JavaScript", "bytes": "541258" }, { "name": "PHP", "bytes": "145248" } ], "symlink_target": "" }
copyright: years: 2015, 2016 lastupdated: "2016-07-01" --- {:new_window: target="_blank"} {:shortdesc: .shortdesc} {:screen:.screen} {:codeblock:.codeblock} # Premiers pas avec Insights for Weather {: #insights_weather_overview} A l'aide d'{{site.data.keyword.weatherfull}}, incorporez les données météorologiques de The Weather Company (TWC) à vos applications {{site.data.keyword.Bluemix}}. {:shortdesc} **Remarque :** Le service Insights for Weather n'est actuellement pas disponible pour le Japon. Avant de commencer, créez une application Web {{site.data.keyword.Bluemix_notm}} dans le tableau de bord avec un environnement d'exécution tel que Liberty for Java. Attendez que votre application soit mise à disposition, puis ajoutez le service Insights for Weather à votre application. Lorsque vous liez votre application à Insights for Weather, vous fournissez des données d'identification uniques à une instance du service. Votre application utilise ces données d'identification avec les [API REST](https://twcservice.{APPDomain}/rest-api-deprecated/){:new_window} pour extraire des données météorologiques. Procédez comme suit pour extraire les données d'identification de `VCAP_SERVICES` et intégrer l'instance du service à votre application. 1. Accédez à la page des propriétés de votre application. 2. Accédez à la section **Variables d'environnement**. Les informations `VCAP_SERVICES` pour chacun de vos services s'affichent. 3. Notez le nom d'utilisateur et le mot de passe du service Insights for Weather. Pour essayer les [API REST](https://twcservice.{APPDomain}/rest-api-deprecated/){:new_window}, vous devez entrer ces données d'identification lorsque vous êtes invité à vous connecter. Votre entrée `VCAP_SERVICES` est semblable à l'exemple suivant : ``` { "weatherinsights": [ { "name": "Insights for Weather", "label": "weatherinsights", "plan": "Free", "credentials": { "port": "443", "username": "fa7fed4b86baa0ec3e48e96b29cd2a03", "host": "twcservice.mybluemix.net", "password": "7abcxw29", "url": "https://fa7fed4b86baa0ec3e48e96b29cd2a03:[email protected]" } } ] } ``` **Remarque :** Chaque région est indépendante. Vous ne pouvez pas utiliser les données d'identification qui vous ont été fournies pour le service dans une région pour vous authentifier auprès d'un service d'une autre région. Si vous n'indiquez pas les données d'identification valides, un message "Unauthorized" (Non autorisé) est généré dans le corps de réponse. # rellinks {: #rellinks} ## samples {: #samples} * [Insights for Weather demo](http://insights-for-weather-demo.mybluemix.net/){: new_window} * [Places Insights hands-on lab](https://github.com/IBM-Bluemix/places-insights-lab){: new_window} * [What's the weather like in Bluemix?](https://developer.ibm.com/bluemix/2015/12/08/insights-weather-sample-overview){: new_window} ## api {: #api} * [REST API](https://twcservice.{APPDomain}/rest-api-deprecated/){: new_window} ## compatible runtimes {: #buildpacks} * [Liberty for Java](https://console.{DomainName}/docs/runtimes/liberty/index.html){: new_window} * [Node.js](https://console.{DomainName}/docs/runtimes/nodejs/index.html){: new_window} * [Ruby](https://console.{DomainName}/docs/runtimes/ruby/index.html){: new_window} * [Go](https://console.{DomainName}/docs/runtimes/go/index.html){: new_window} * [PHP](https://console.{DomainName}/docs/runtimes/php/index.html){: new_window} * [Python](https://console.{DomainName}/docs/runtimes/python/index.html){: new_window} ## general {: #general} * [Ajout d'un service à votre application](/docs/services/reqnsi.html){: new_window} * [Développement de bout en bout](https://console.{DomainName}/docs/cfapps/ee.html){: new_window} * [{{site.data.keyword.Bluemix_notm}}Fiche des prix](https://console.{DomainName}/pricing/){: new_window} * [{{site.data.keyword.Bluemix_notm}}Prérequis](https://developer.ibm.com/bluemix/support/#prereqs){: new_window}
{ "content_hash": "b6827fe17d29c4faaaaa7bb893ae1d60", "timestamp": "", "source": "github", "line_count": 80, "max_line_length": 323, "avg_line_length": 50.4375, "alnum_prop": 0.7372986369268897, "repo_name": "nickgaski/docs", "id": "b2b178d500f482f749f36b5a11753bd47cad53bc", "size": "4088", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "services/InsightsWeather/nl/fr/index.md", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "HTML", "bytes": "80383" } ], "symlink_target": "" }
ACCEPTED #### According to The Catalogue of Life, 3rd January 2011 #### Published in null #### Original name null ### Remarks null
{ "content_hash": "624b9a383cd7bb9fda15c5f4a2fe45d2", "timestamp": "", "source": "github", "line_count": 13, "max_line_length": 39, "avg_line_length": 10.307692307692308, "alnum_prop": 0.6940298507462687, "repo_name": "mdoering/backbone", "id": "6d3d39e39f0122eb89c378689ae3dd4c6839a3ea", "size": "191", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "life/Plantae/Magnoliophyta/Magnoliopsida/Lamiales/Gesneriaceae/Cyrtandra/Cyrtandra paragibbsiae/README.md", "mode": "33188", "license": "apache-2.0", "language": [], "symlink_target": "" }
import functools import inspect import math import time from oslo_log import log as logging from oslo_serialization import jsonutils from oslo_utils import encodeutils from oslo_utils import excutils from oslo_utils import strutils import six import webob import webob.exc from cinder.api.openstack import api_version_request as api_version from cinder.api.openstack import versioned_method from cinder import exception from cinder import i18n from cinder.i18n import _, _LE, _LI from cinder import utils from cinder.wsgi import common as wsgi LOG = logging.getLogger(__name__) SUPPORTED_CONTENT_TYPES = ( 'application/json', 'application/vnd.openstack.volume+json', ) _MEDIA_TYPE_MAP = { 'application/vnd.openstack.volume+json': 'json', 'application/json': 'json', } # name of attribute to keep version method information VER_METHOD_ATTR = 'versioned_methods' # Name of header used by clients to request a specific version # of the REST API API_VERSION_REQUEST_HEADER = 'OpenStack-API-Version' VOLUME_SERVICE = 'volume' class Request(webob.Request): """Add some OpenStack API-specific logic to the base webob.Request.""" def __init__(self, *args, **kwargs): super(Request, self).__init__(*args, **kwargs) self._resource_cache = {} if not hasattr(self, 'api_version_request'): self.api_version_request = api_version.APIVersionRequest() def cache_resource(self, resource_to_cache, id_attribute='id', name=None): """Cache the given resource. Allow API methods to cache objects, such as results from a DB query, to be used by API extensions within the same API request. The resource_to_cache can be a list or an individual resource, but ultimately resources are cached individually using the given id_attribute. Different resources types might need to be cached during the same request, they can be cached using the name parameter. For example: Controller 1: request.cache_resource(db_volumes, 'volumes') request.cache_resource(db_volume_types, 'types') Controller 2: db_volumes = request.cached_resource('volumes') db_type_1 = request.cached_resource_by_id('1', 'types') If no name is given, a default name will be used for the resource. An instance of this class only lives for the lifetime of a single API request, so there's no need to implement full cache management. """ if not isinstance(resource_to_cache, list): resource_to_cache = [resource_to_cache] if not name: name = self.path cached_resources = self._resource_cache.setdefault(name, {}) for resource in resource_to_cache: cached_resources[resource[id_attribute]] = resource def cached_resource(self, name=None): """Get the cached resources cached under the given resource name. Allow an API extension to get previously stored objects within the same API request. Note that the object data will be slightly stale. :returns: a dict of id_attribute to the resource from the cached resources, an empty map if an empty collection was cached, or None if nothing has been cached yet under this name """ if not name: name = self.path if name not in self._resource_cache: # Nothing has been cached for this key yet return None return self._resource_cache[name] def cached_resource_by_id(self, resource_id, name=None): """Get a resource by ID cached under the given resource name. Allow an API extension to get a previously stored object within the same API request. This is basically a convenience method to lookup by ID on the dictionary of all cached resources. Note that the object data will be slightly stale. :returns: the cached resource or None if the item is not in the cache """ resources = self.cached_resource(name) if not resources: # Nothing has been cached yet for this key yet return None return resources.get(resource_id) def cache_db_items(self, key, items, item_key='id'): """Get cached database items. Allow API methods to store objects from a DB query to be used by API extensions within the same API request. An instance of this class only lives for the lifetime of a single API request, so there's no need to implement full cache management. """ self.cache_resource(items, item_key, key) def get_db_items(self, key): """Get database items. Allow an API extension to get previously stored objects within the same API request. Note that the object data will be slightly stale. """ return self.cached_resource(key) def get_db_item(self, key, item_key): """Get database item. Allow an API extension to get a previously stored object within the same API request. Note that the object data will be slightly stale. """ return self.get_db_items(key).get(item_key) def cache_db_volumes(self, volumes): # NOTE(mgagne) Cache it twice for backward compatibility reasons self.cache_db_items('volumes', volumes, 'id') self.cache_db_items(self.path, volumes, 'id') def cache_db_volume(self, volume): # NOTE(mgagne) Cache it twice for backward compatibility reasons self.cache_db_items('volumes', [volume], 'id') self.cache_db_items(self.path, [volume], 'id') def get_db_volumes(self): return (self.get_db_items('volumes') or self.get_db_items(self.path)) def get_db_volume(self, volume_id): return (self.get_db_item('volumes', volume_id) or self.get_db_item(self.path, volume_id)) def cache_db_volume_types(self, volume_types): self.cache_db_items('volume_types', volume_types, 'id') def cache_db_volume_type(self, volume_type): self.cache_db_items('volume_types', [volume_type], 'id') def get_db_volume_types(self): return self.get_db_items('volume_types') def get_db_volume_type(self, volume_type_id): return self.get_db_item('volume_types', volume_type_id) def cache_db_snapshots(self, snapshots): self.cache_db_items('snapshots', snapshots, 'id') def cache_db_snapshot(self, snapshot): self.cache_db_items('snapshots', [snapshot], 'id') def get_db_snapshots(self): return self.get_db_items('snapshots') def get_db_snapshot(self, snapshot_id): return self.get_db_item('snapshots', snapshot_id) def cache_db_backups(self, backups): self.cache_db_items('backups', backups, 'id') def cache_db_backup(self, backup): self.cache_db_items('backups', [backup], 'id') def get_db_backups(self): return self.get_db_items('backups') def get_db_backup(self, backup_id): return self.get_db_item('backups', backup_id) def best_match_content_type(self): """Determine the requested response content-type.""" if 'cinder.best_content_type' not in self.environ: # Calculate the best MIME type content_type = None # Check URL path suffix parts = self.path.rsplit('.', 1) if len(parts) > 1: possible_type = 'application/' + parts[1] if possible_type in SUPPORTED_CONTENT_TYPES: content_type = possible_type if not content_type: content_type = self.accept.best_match(SUPPORTED_CONTENT_TYPES) self.environ['cinder.best_content_type'] = (content_type or 'application/json') return self.environ['cinder.best_content_type'] def get_content_type(self): """Determine content type of the request body. Does not do any body introspection, only checks header """ if "Content-Type" not in self.headers: return None allowed_types = SUPPORTED_CONTENT_TYPES content_type = self.content_type if content_type not in allowed_types: raise exception.InvalidContentType(content_type=content_type) return content_type def best_match_language(self): """Determines best available locale from the Accept-Language header. :returns: the best language match or None if the 'Accept-Language' header was not available in the request. """ if not self.accept_language: return None all_languages = i18n.get_available_languages() return self.accept_language.best_match(all_languages) def set_api_version_request(self, url): """Set API version request based on the request header information. Microversions starts with /v3, so if a client sends a request for version 1.0 or 2.0 with the /v3 endpoint, throw an exception. Sending a header with any microversion to a /v1 or /v2 endpoint will be ignored. Note that a microversion must be set for the legacy endpoints. This will appear as 1.0 and 2.0 for /v1 and /v2. """ if API_VERSION_REQUEST_HEADER in self.headers and 'v3' in url: hdr_string = self.headers[API_VERSION_REQUEST_HEADER] # 'latest' is a special keyword which is equivalent to requesting # the maximum version of the API supported hdr_string_list = hdr_string.split(",") volume_version = None for hdr in hdr_string_list: if VOLUME_SERVICE in hdr: service, volume_version = hdr.split() break if not volume_version: raise exception.VersionNotFoundForAPIMethod( version=volume_version) if volume_version == 'latest': self.api_version_request = api_version.max_api_version() else: self.api_version_request = api_version.APIVersionRequest( volume_version) # Check that the version requested is within the global # minimum/maximum of supported API versions if not self.api_version_request.matches( api_version.min_api_version(), api_version.max_api_version()): raise exception.InvalidGlobalAPIVersion( req_ver=self.api_version_request.get_string(), min_ver=api_version.min_api_version().get_string(), max_ver=api_version.max_api_version().get_string()) else: if 'v1' in url: self.api_version_request = api_version.legacy_api_version1() elif 'v2' in url: self.api_version_request = api_version.legacy_api_version2() else: self.api_version_request = api_version.APIVersionRequest( api_version._MIN_API_VERSION) class ActionDispatcher(object): """Maps method name to local methods through action name.""" def dispatch(self, *args, **kwargs): """Find and call local method.""" action = kwargs.pop('action', 'default') action_method = getattr(self, six.text_type(action), self.default) return action_method(*args, **kwargs) def default(self, data): raise NotImplementedError() class TextDeserializer(ActionDispatcher): """Default request body deserialization.""" def deserialize(self, datastring, action='default'): return self.dispatch(datastring, action=action) def default(self, datastring): return {} class JSONDeserializer(TextDeserializer): def _from_json(self, datastring): try: return jsonutils.loads(datastring) except ValueError: msg = _("cannot understand JSON") raise exception.MalformedRequestBody(reason=msg) def default(self, datastring): return {'body': self._from_json(datastring)} class DictSerializer(ActionDispatcher): """Default request body serialization.""" def serialize(self, data, action='default'): return self.dispatch(data, action=action) def default(self, data): return "" class JSONDictSerializer(DictSerializer): """Default JSON request body serialization.""" def default(self, data): return jsonutils.dump_as_bytes(data) def serializers(**serializers): """Attaches serializers to a method. This decorator associates a dictionary of serializers with a method. Note that the function attributes are directly manipulated; the method is not wrapped. """ def decorator(func): if not hasattr(func, 'wsgi_serializers'): func.wsgi_serializers = {} func.wsgi_serializers.update(serializers) return func return decorator def deserializers(**deserializers): """Attaches deserializers to a method. This decorator associates a dictionary of deserializers with a method. Note that the function attributes are directly manipulated; the method is not wrapped. """ def decorator(func): if not hasattr(func, 'wsgi_deserializers'): func.wsgi_deserializers = {} func.wsgi_deserializers.update(deserializers) return func return decorator def response(code): """Attaches response code to a method. This decorator associates a response code with a method. Note that the function attributes are directly manipulated; the method is not wrapped. """ def decorator(func): func.wsgi_code = code return func return decorator class ResponseObject(object): """Bundles a response object with appropriate serializers. Object that app methods may return in order to bind alternate serializers with a response object to be serialized. Its use is optional. """ def __init__(self, obj, code=None, headers=None, **serializers): """Binds serializers with an object. Takes keyword arguments akin to the @serializer() decorator for specifying serializers. Serializers specified will be given preference over default serializers or method-specific serializers on return. """ self.obj = obj self.serializers = serializers self._default_code = 200 self._code = code self._headers = headers or {} self.serializer = None self.media_type = None def __getitem__(self, key): """Retrieves a header with the given name.""" return self._headers[key.lower()] def __setitem__(self, key, value): """Sets a header with the given name to the given value.""" self._headers[key.lower()] = value def __delitem__(self, key): """Deletes the header with the given name.""" del self._headers[key.lower()] def _bind_method_serializers(self, meth_serializers): """Binds method serializers with the response object. Binds the method serializers with the response object. Serializers specified to the constructor will take precedence over serializers specified to this method. :param meth_serializers: A dictionary with keys mapping to response types and values containing serializer objects. """ # We can't use update because that would be the wrong # precedence for mtype, serializer in meth_serializers.items(): self.serializers.setdefault(mtype, serializer) def get_serializer(self, content_type, default_serializers=None): """Returns the serializer for the wrapped object. Returns the serializer for the wrapped object subject to the indicated content type. If no serializer matching the content type is attached, an appropriate serializer drawn from the default serializers will be used. If no appropriate serializer is available, raises InvalidContentType. """ default_serializers = default_serializers or {} try: mtype = _MEDIA_TYPE_MAP.get(content_type, content_type) if mtype in self.serializers: return mtype, self.serializers[mtype] else: return mtype, default_serializers[mtype] except (KeyError, TypeError): raise exception.InvalidContentType(content_type=content_type) def preserialize(self, content_type, default_serializers=None): """Prepares the serializer that will be used to serialize. Determines the serializer that will be used and prepares an instance of it for later call. This allows the serializer to be accessed by extensions for, e.g., template extension. """ mtype, serializer = self.get_serializer(content_type, default_serializers) self.media_type = mtype self.serializer = serializer() def attach(self, **kwargs): """Attach slave templates to serializers.""" if self.media_type in kwargs: self.serializer.attach(kwargs[self.media_type]) def serialize(self, request, content_type, default_serializers=None): """Serializes the wrapped object. Utility method for serializing the wrapped object. Returns a webob.Response object. """ if self.serializer: serializer = self.serializer else: _mtype, _serializer = self.get_serializer(content_type, default_serializers) serializer = _serializer() response = webob.Response() response.status_int = self.code for hdr, value in self._headers.items(): response.headers[hdr] = six.text_type(value) response.headers['Content-Type'] = six.text_type(content_type) if self.obj is not None: body = serializer.serialize(self.obj) if isinstance(body, six.text_type): body = body.encode('utf-8') response.body = body return response @property def code(self): """Retrieve the response status.""" return self._code or self._default_code @property def headers(self): """Retrieve the headers.""" return self._headers.copy() def action_peek_json(body): """Determine action to invoke.""" try: decoded = jsonutils.loads(body) except ValueError: msg = _("cannot understand JSON") raise exception.MalformedRequestBody(reason=msg) # Make sure there's exactly one key... if len(decoded) != 1: msg = _("too many body keys") raise exception.MalformedRequestBody(reason=msg) # Return the action and the decoded body... return list(decoded.keys())[0] class ResourceExceptionHandler(object): """Context manager to handle Resource exceptions. Used when processing exceptions generated by API implementation methods (or their extensions). Converts most exceptions to Fault exceptions, with the appropriate logging. """ def __enter__(self): return None def __exit__(self, ex_type, ex_value, ex_traceback): if not ex_value: return True if isinstance(ex_value, exception.NotAuthorized): msg = six.text_type(ex_value) raise Fault(webob.exc.HTTPForbidden(explanation=msg)) elif isinstance(ex_value, exception.VersionNotFoundForAPIMethod): raise elif isinstance(ex_value, (exception.Invalid, exception.NotFound)): raise Fault(exception.ConvertedException( code=ex_value.code, explanation=six.text_type(ex_value))) elif isinstance(ex_value, TypeError): exc_info = (ex_type, ex_value, ex_traceback) LOG.error(_LE( 'Exception handling resource: %s'), ex_value, exc_info=exc_info) raise Fault(webob.exc.HTTPBadRequest()) elif isinstance(ex_value, Fault): LOG.info(_LI("Fault thrown: %s"), six.text_type(ex_value)) raise ex_value elif isinstance(ex_value, webob.exc.HTTPException): LOG.info(_LI("HTTP exception thrown: %s"), six.text_type(ex_value)) raise Fault(ex_value) # We didn't handle the exception return False class Resource(wsgi.Application): """WSGI app that handles (de)serialization and controller dispatch. WSGI app that reads routing information supplied by RoutesMiddleware and calls the requested action method upon its controller. All controller action methods must accept a 'req' argument, which is the incoming wsgi.Request. If the operation is a PUT or POST, the controller method must also accept a 'body' argument (the deserialized request body). They may raise a webob.exc exception or return a dict, which will be serialized by requested content type. Exceptions derived from webob.exc.HTTPException will be automatically wrapped in Fault() to provide API friendly error responses. """ support_api_request_version = True def __init__(self, controller, action_peek=None, **deserializers): """Initialize Resource. :param controller: object that implement methods created by routes lib :param action_peek: dictionary of routines for peeking into an action request body to determine the desired action """ self.controller = controller default_deserializers = dict(json=JSONDeserializer) default_deserializers.update(deserializers) self.default_deserializers = default_deserializers self.default_serializers = dict(json=JSONDictSerializer) self.action_peek = dict(json=action_peek_json) self.action_peek.update(action_peek or {}) # Copy over the actions dictionary self.wsgi_actions = {} if controller: self.register_actions(controller) # Save a mapping of extensions self.wsgi_extensions = {} self.wsgi_action_extensions = {} def register_actions(self, controller): """Registers controller actions with this resource.""" actions = getattr(controller, 'wsgi_actions', {}) for key, method_name in actions.items(): self.wsgi_actions[key] = getattr(controller, method_name) def register_extensions(self, controller): """Registers controller extensions with this resource.""" extensions = getattr(controller, 'wsgi_extensions', []) for method_name, action_name in extensions: # Look up the extending method extension = getattr(controller, method_name) if action_name: # Extending an action... if action_name not in self.wsgi_action_extensions: self.wsgi_action_extensions[action_name] = [] self.wsgi_action_extensions[action_name].append(extension) else: # Extending a regular method if method_name not in self.wsgi_extensions: self.wsgi_extensions[method_name] = [] self.wsgi_extensions[method_name].append(extension) def get_action_args(self, request_environment): """Parse dictionary created by routes library.""" # NOTE(Vek): Check for get_action_args() override in the # controller if hasattr(self.controller, 'get_action_args'): return self.controller.get_action_args(request_environment) try: args = request_environment['wsgiorg.routing_args'][1].copy() except (KeyError, IndexError, AttributeError): return {} try: del args['controller'] except KeyError: pass try: del args['format'] except KeyError: pass return args def get_body(self, request): if len(request.body) == 0: LOG.debug("Empty body provided in request") return None, '' try: content_type = request.get_content_type() except exception.InvalidContentType: LOG.debug("Unrecognized Content-Type provided in request") return None, '' if not content_type: LOG.debug("No Content-Type provided in request") return None, '' return content_type, request.body def deserialize(self, meth, content_type, body): meth_deserializers = getattr(meth, 'wsgi_deserializers', {}) try: mtype = _MEDIA_TYPE_MAP.get(content_type, content_type) if mtype in meth_deserializers: deserializer = meth_deserializers[mtype] else: deserializer = self.default_deserializers[mtype] except (KeyError, TypeError): raise exception.InvalidContentType(content_type=content_type) return deserializer().deserialize(body) def pre_process_extensions(self, extensions, request, action_args): # List of callables for post-processing extensions post = [] for ext in extensions: if inspect.isgeneratorfunction(ext): response = None # If it's a generator function, the part before the # yield is the preprocessing stage try: with ResourceExceptionHandler(): gen = ext(req=request, **action_args) response = next(gen) except Fault as ex: response = ex # We had a response... if response: return response, [] # No response, queue up generator for post-processing post.append(gen) else: # Regular functions only perform post-processing post.append(ext) # Run post-processing in the reverse order return None, reversed(post) def post_process_extensions(self, extensions, resp_obj, request, action_args): for ext in extensions: response = None if inspect.isgenerator(ext): # If it's a generator, run the second half of # processing try: with ResourceExceptionHandler(): response = ext.send(resp_obj) except StopIteration: # Normal exit of generator continue except Fault as ex: response = ex else: # Regular functions get post-processing... try: with ResourceExceptionHandler(): response = ext(req=request, resp_obj=resp_obj, **action_args) except exception.VersionNotFoundForAPIMethod: # If an attached extension (@wsgi.extends) for the # method has no version match its not an error. We # just don't run the extends code continue except Fault as ex: response = ex # We had a response... if response: return response return None @webob.dec.wsgify(RequestClass=Request) def __call__(self, request): """WSGI method that controls (de)serialization and method dispatch.""" LOG.info(_LI("%(method)s %(url)s"), {"method": request.method, "url": request.url}) if self.support_api_request_version: # Set the version of the API requested based on the header try: request.set_api_version_request(request.url) except exception.InvalidAPIVersionString as e: return Fault(webob.exc.HTTPBadRequest( explanation=six.text_type(e))) except exception.InvalidGlobalAPIVersion as e: return Fault(webob.exc.HTTPNotAcceptable( explanation=six.text_type(e))) # Identify the action, its arguments, and the requested # content type action_args = self.get_action_args(request.environ) action = action_args.pop('action', None) content_type, body = self.get_body(request) accept = request.best_match_content_type() # NOTE(Vek): Splitting the function up this way allows for # auditing by external tools that wrap the existing # function. If we try to audit __call__(), we can # run into troubles due to the @webob.dec.wsgify() # decorator. return self._process_stack(request, action, action_args, content_type, body, accept) def _process_stack(self, request, action, action_args, content_type, body, accept): """Implement the processing stack.""" # Get the implementing method try: meth, extensions = self.get_method(request, action, content_type, body) except (AttributeError, TypeError): return Fault(webob.exc.HTTPNotFound()) except KeyError as ex: msg = _("There is no such action: %s") % ex.args[0] return Fault(webob.exc.HTTPBadRequest(explanation=msg)) except exception.MalformedRequestBody: msg = _("Malformed request body") return Fault(webob.exc.HTTPBadRequest(explanation=msg)) if body: decoded_body = encodeutils.safe_decode(body, errors='ignore') msg = ("Action: '%(action)s', calling method: %(meth)s, body: " "%(body)s") % {'action': action, 'body': six.text_type(decoded_body), 'meth': six.text_type(meth)} LOG.debug(strutils.mask_password(msg)) else: LOG.debug("Calling method '%(meth)s'", {'meth': six.text_type(meth)}) # Now, deserialize the request body... try: if content_type: contents = self.deserialize(meth, content_type, body) else: contents = {} except exception.InvalidContentType: msg = _("Unsupported Content-Type") return Fault(webob.exc.HTTPBadRequest(explanation=msg)) except exception.MalformedRequestBody: msg = _("Malformed request body") return Fault(webob.exc.HTTPBadRequest(explanation=msg)) # Update the action args action_args.update(contents) project_id = action_args.pop("project_id", None) context = request.environ.get('cinder.context') if (context and project_id and (project_id != context.project_id)): msg = _("Malformed request url") return Fault(webob.exc.HTTPBadRequest(explanation=msg)) # Run pre-processing extensions response, post = self.pre_process_extensions(extensions, request, action_args) if not response: try: with ResourceExceptionHandler(): action_result = self.dispatch(meth, request, action_args) except Fault as ex: response = ex if not response: # No exceptions; convert action_result into a # ResponseObject resp_obj = None if isinstance(action_result, dict) or action_result is None: resp_obj = ResponseObject(action_result) elif isinstance(action_result, ResponseObject): resp_obj = action_result else: response = action_result # Run post-processing extensions if resp_obj: _set_request_id_header(request, resp_obj) # Do a preserialize to set up the response object serializers = getattr(meth, 'wsgi_serializers', {}) resp_obj._bind_method_serializers(serializers) if hasattr(meth, 'wsgi_code'): resp_obj._default_code = meth.wsgi_code resp_obj.preserialize(accept, self.default_serializers) # Process post-processing extensions response = self.post_process_extensions(post, resp_obj, request, action_args) if resp_obj and not response: response = resp_obj.serialize(request, accept, self.default_serializers) try: msg_dict = dict(url=request.url, status=response.status_int) msg = _LI("%(url)s returned with HTTP %(status)d") except AttributeError as e: msg_dict = dict(url=request.url, e=e) msg = _LI("%(url)s returned a fault: %(e)s") LOG.info(msg, msg_dict) if hasattr(response, 'headers'): for hdr, val in response.headers.items(): # Headers must be utf-8 strings val = utils.convert_str(val) response.headers[hdr] = val if (not request.api_version_request.is_null() and not _is_legacy_endpoint(request)): response.headers[API_VERSION_REQUEST_HEADER] = ( VOLUME_SERVICE + ' ' + request.api_version_request.get_string()) response.headers['Vary'] = API_VERSION_REQUEST_HEADER return response def get_method(self, request, action, content_type, body): """Look up the action-specific method and its extensions.""" # Look up the method try: if not self.controller: meth = getattr(self, action) else: meth = getattr(self.controller, action) except AttributeError as e: with excutils.save_and_reraise_exception(e) as ctxt: if (not self.wsgi_actions or action not in ['action', 'create', 'delete', 'update']): LOG.exception(_LE('Get method error.')) else: ctxt.reraise = False else: return meth, self.wsgi_extensions.get(action, []) if action == 'action': # OK, it's an action; figure out which action... mtype = _MEDIA_TYPE_MAP.get(content_type) action_name = self.action_peek[mtype](body) LOG.debug("Action body: %s", body) else: action_name = action # Look up the action method return (self.wsgi_actions[action_name], self.wsgi_action_extensions.get(action_name, [])) def dispatch(self, method, request, action_args): """Dispatch a call to the action-specific method.""" try: return method(req=request, **action_args) except exception.VersionNotFoundForAPIMethod: # We deliberately don't return any message information # about the exception to the user so it looks as if # the method is simply not implemented. return Fault(webob.exc.HTTPNotFound()) def action(name): """Mark a function as an action. The given name will be taken as the action key in the body. This is also overloaded to allow extensions to provide non-extending definitions of create and delete operations. """ def decorator(func): func.wsgi_action = name return func return decorator def extends(*args, **kwargs): """Indicate a function extends an operation. Can be used as either:: @extends def index(...): pass or as:: @extends(action='resize') def _action_resize(...): pass """ def decorator(func): # Store enough information to find what we're extending func.wsgi_extends = (func.__name__, kwargs.get('action')) return func # If we have positional arguments, call the decorator if args: return decorator(*args) # OK, return the decorator instead return decorator class ControllerMetaclass(type): """Controller metaclass. This metaclass automates the task of assembling a dictionary mapping action keys to method names. """ def __new__(mcs, name, bases, cls_dict): """Adds the wsgi_actions dictionary to the class.""" # Find all actions actions = {} extensions = [] # NOTE(geguileo): We'll keep a list of versioned methods that have been # added by the new metaclass (dictionary in attribute VER_METHOD_ATTR # on Controller class) and all the versioned methods from the different # base classes so we can consolidate them. versioned_methods = [] # NOTE(cyeoh): This resets the VER_METHOD_ATTR attribute # between API controller class creations. This allows us # to use a class decorator on the API methods that doesn't # require naming explicitly what method is being versioned as # it can be implicit based on the method decorated. It is a bit # ugly. if bases != (object,) and VER_METHOD_ATTR in vars(Controller): # Get the versioned methods that this metaclass creation has added # to the Controller class versioned_methods.append(getattr(Controller, VER_METHOD_ATTR)) # Remove them so next metaclass has a clean start delattr(Controller, VER_METHOD_ATTR) # start with wsgi actions from base classes for base in bases: actions.update(getattr(base, 'wsgi_actions', {})) # Get the versioned methods that this base has if VER_METHOD_ATTR in vars(base): versioned_methods.append(getattr(base, VER_METHOD_ATTR)) for key, value in cls_dict.items(): if not callable(value): continue if getattr(value, 'wsgi_action', None): actions[value.wsgi_action] = key elif getattr(value, 'wsgi_extends', None): extensions.append(value.wsgi_extends) # Add the actions and extensions to the class dict cls_dict['wsgi_actions'] = actions cls_dict['wsgi_extensions'] = extensions if versioned_methods: cls_dict[VER_METHOD_ATTR] = mcs.consolidate_vers(versioned_methods) return super(ControllerMetaclass, mcs).__new__(mcs, name, bases, cls_dict) @staticmethod def consolidate_vers(versioned_methods): """Consolidates a list of versioned methods dictionaries.""" if not versioned_methods: return {} result = versioned_methods.pop(0) for base_methods in versioned_methods: for name, methods in base_methods.items(): method_list = result.setdefault(name, []) method_list.extend(methods) method_list.sort(reverse=True) return result @six.add_metaclass(ControllerMetaclass) class Controller(object): """Default controller.""" _view_builder_class = None def __init__(self, view_builder=None): """Initialize controller with a view builder instance.""" if view_builder: self._view_builder = view_builder elif self._view_builder_class: self._view_builder = self._view_builder_class() else: self._view_builder = None def __getattribute__(self, key): def version_select(*args, **kwargs): """Select and call the matching version of the specified method. Look for the method which matches the name supplied and version constraints and calls it with the supplied arguments. :returns: Returns the result of the method called :raises: VersionNotFoundForAPIMethod if there is no method which matches the name and version constraints """ # The first arg to all versioned methods is always the request # object. The version for the request is attached to the # request object if len(args) == 0: version_request = kwargs['req'].api_version_request else: version_request = args[0].api_version_request func_list = self.versioned_methods[key] for func in func_list: if version_request.matches_versioned_method(func): # Update the version_select wrapper function so # other decorator attributes like wsgi.response # are still respected. functools.update_wrapper(version_select, func.func) return func.func(self, *args, **kwargs) # No version match raise exception.VersionNotFoundForAPIMethod( version=version_request) try: version_meth_dict = object.__getattribute__(self, VER_METHOD_ATTR) except AttributeError: # No versioning on this class return object.__getattribute__(self, key) if (version_meth_dict and key in object.__getattribute__(self, VER_METHOD_ATTR)): return version_select return object.__getattribute__(self, key) # NOTE(cyeoh): This decorator MUST appear first (the outermost # decorator) on an API method for it to work correctly @classmethod def api_version(cls, min_ver, max_ver=None, experimental=False): """Decorator for versioning API methods. Add the decorator to any method which takes a request object as the first parameter and belongs to a class which inherits from wsgi.Controller. :param min_ver: string representing minimum version :param max_ver: optional string representing maximum version """ def decorator(f): obj_min_ver = api_version.APIVersionRequest(min_ver) if max_ver: obj_max_ver = api_version.APIVersionRequest(max_ver) else: obj_max_ver = api_version.APIVersionRequest() # Add to list of versioned methods registered func_name = f.__name__ new_func = versioned_method.VersionedMethod( func_name, obj_min_ver, obj_max_ver, experimental, f) func_dict = getattr(cls, VER_METHOD_ATTR, {}) if not func_dict: setattr(cls, VER_METHOD_ATTR, func_dict) func_list = func_dict.get(func_name, []) if not func_list: func_dict[func_name] = func_list func_list.append(new_func) # Ensure the list is sorted by minimum version (reversed) # so later when we work through the list in order we find # the method which has the latest version which supports # the version requested. # TODO(cyeoh): Add check to ensure that there are no overlapping # ranges of valid versions as that is ambiguous func_list.sort(reverse=True) return f return decorator @staticmethod def is_valid_body(body, entity_name): if not (body and entity_name in body): return False def is_dict(d): try: d.get(None) return True except AttributeError: return False if not is_dict(body[entity_name]): return False return True @staticmethod def assert_valid_body(body, entity_name): # NOTE: After v1 api is deprecated need to merge 'is_valid_body' and # 'assert_valid_body' in to one method. Right now it is not # possible to modify 'is_valid_body' to raise exception because # in case of V1 api when 'is_valid_body' return False, # 'HTTPUnprocessableEntity' exception is getting raised and in # V2 api 'HTTPBadRequest' exception is getting raised. if not Controller.is_valid_body(body, entity_name): raise webob.exc.HTTPBadRequest( explanation=_("Missing required element '%s' in " "request body.") % entity_name) @staticmethod def validate_name_and_description(body): name = body.get('name') if name is not None: if isinstance(name, six.string_types): body['name'] = name.strip() try: utils.check_string_length(body['name'], 'Name', min_length=0, max_length=255) except exception.InvalidInput as error: raise webob.exc.HTTPBadRequest(explanation=error.msg) description = body.get('description') if description is not None: try: utils.check_string_length(description, 'Description', min_length=0, max_length=255) except exception.InvalidInput as error: raise webob.exc.HTTPBadRequest(explanation=error.msg) @staticmethod def validate_string_length(value, entity_name, min_length=0, max_length=None, remove_whitespaces=False): """Check the length of specified string. :param value: the value of the string :param entity_name: the name of the string :param min_length: the min_length of the string :param max_length: the max_length of the string :param remove_whitespaces: True if trimming whitespaces is needed else False """ if isinstance(value, six.string_types) and remove_whitespaces: value = value.strip() try: utils.check_string_length(value, entity_name, min_length=min_length, max_length=max_length) except exception.InvalidInput as error: raise webob.exc.HTTPBadRequest(explanation=error.msg) class Fault(webob.exc.HTTPException): """Wrap webob.exc.HTTPException to provide API friendly response.""" _fault_names = {400: "badRequest", 401: "unauthorized", 403: "forbidden", 404: "itemNotFound", 405: "badMethod", 409: "conflictingRequest", 413: "overLimit", 415: "badMediaType", 501: "notImplemented", 503: "serviceUnavailable"} def __init__(self, exception): """Create a Fault for the given webob.exc.exception.""" self.wrapped_exc = exception self.status_int = exception.status_int @webob.dec.wsgify(RequestClass=Request) def __call__(self, req): """Generate a WSGI response based on the exception passed to ctor.""" # Replace the body with fault details. locale = req.best_match_language() code = self.wrapped_exc.status_int fault_name = self._fault_names.get(code, "computeFault") explanation = self.wrapped_exc.explanation fault_data = { fault_name: { 'code': code, 'message': i18n.translate(explanation, locale)}} if code == 413: retry = self.wrapped_exc.headers.get('Retry-After', None) if retry: fault_data[fault_name]['retryAfter'] = retry if (not req.api_version_request.is_null() and not _is_legacy_endpoint(req)): self.wrapped_exc.headers[API_VERSION_REQUEST_HEADER] = ( VOLUME_SERVICE + ' ' + req.api_version_request.get_string()) self.wrapped_exc.headers['Vary'] = API_VERSION_REQUEST_HEADER content_type = req.best_match_content_type() serializer = { 'application/json': JSONDictSerializer(), }[content_type] body = serializer.serialize(fault_data) if isinstance(body, six.text_type): body = body.encode('utf-8') self.wrapped_exc.body = body self.wrapped_exc.content_type = content_type _set_request_id_header(req, self.wrapped_exc.headers) return self.wrapped_exc def __str__(self): return self.wrapped_exc.__str__() def _set_request_id_header(req, headers): context = req.environ.get('cinder.context') if context: headers['x-compute-request-id'] = context.request_id def _is_legacy_endpoint(request): version_str = request.api_version_request.get_string() return '1.0' in version_str or '2.0' in version_str class OverLimitFault(webob.exc.HTTPException): """Rate-limited request response.""" def __init__(self, message, details, retry_time): """Initialize new `OverLimitFault` with relevant information.""" hdrs = OverLimitFault._retry_after(retry_time) self.wrapped_exc = webob.exc.HTTPRequestEntityTooLarge(headers=hdrs) self.content = { "overLimitFault": { "code": self.wrapped_exc.status_int, "message": message, "details": details, }, } @staticmethod def _retry_after(retry_time): delay = int(math.ceil(retry_time - time.time())) retry_after = delay if delay > 0 else 0 headers = {'Retry-After': '%d' % retry_after} return headers @webob.dec.wsgify(RequestClass=Request) def __call__(self, request): """Serializes the wrapped exception conforming to our error format.""" content_type = request.best_match_content_type() def translate(msg): locale = request.best_match_language() return i18n.translate(msg, locale) self.content['overLimitFault']['message'] = \ translate(self.content['overLimitFault']['message']) self.content['overLimitFault']['details'] = \ translate(self.content['overLimitFault']['details']) serializer = { 'application/json': JSONDictSerializer(), }[content_type] content = serializer.serialize(self.content) self.wrapped_exc.body = content return self.wrapped_exc
{ "content_hash": "7c9ab927738697d269044fc314651f2c", "timestamp": "", "source": "github", "line_count": 1397, "max_line_length": 79, "avg_line_length": 36.87831066571224, "alnum_prop": 0.5949455540674314, "repo_name": "bswartz/cinder", "id": "cc4718e55fdac01cb9e03dc5138dfe5b83cf85aa", "size": "52182", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "cinder/api/openstack/wsgi.py", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Python", "bytes": "16345375" }, { "name": "Shell", "bytes": "8187" } ], "symlink_target": "" }
from setuptools import setup, find_packages from codecs import open from os import path setup( name='multilabel-metrics', version='0.0.1', description='Multilabel classification metrics for Python', long_description=open('README.txt').read(), url='https://github.com/llabhishekll/multi-label-metrics', author=u'Abhishek Verma', author_email='[email protected]', license='GNU_GPL licence, see LICENCE.txt', classifiers=[ 'Development Status :: 3 - Alpha', 'Intended Audience :: Developers', 'Topic :: Software Development :: Build Tools', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.3', 'Programming Language :: Python :: 3.4', 'Programming Language :: Python :: 3.5', ], keywords='classification metrics machine-learning ', py_modules=["mlmetrics"], )
{ "content_hash": "11302423ee2e31244d77e1500551f9c2", "timestamp": "", "source": "github", "line_count": 24, "max_line_length": 63, "avg_line_length": 37.25, "alnum_prop": 0.6577181208053692, "repo_name": "hell-sing/multi-label-metrics", "id": "d5e756be0b723718ef8093fc205db9dd68641b54", "size": "918", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "setup.py", "mode": "33188", "license": "mit", "language": [ { "name": "Python", "bytes": "11486" } ], "symlink_target": "" }
'use strict'; import {BaseGulpTask} from '../BaseGulpTask'; import * as gulp from 'gulp'; import {Utils} from '../utils'; import * as yargs from 'yargs'; let $: any = require('gulp-load-plugins')({ lazy: true }); /** * Transpiles all TypeScript as JavaScript as the gulp task 'transpile-ts'. * * @class */ export class GulpTask extends BaseGulpTask { /** * @property {string} description - Help description for the task. */ public static description: string = 'Builds all TypeScript as JavaScript'; /** * @property {string[]} aliases - Different options to run the task. */ public static aliases: string[] = ['tts']; /** * @property {string[]} dependencies - Array of all tasks that should be run before this one. */ public static dependencies: string[] = []; /** * @property {Object} options - Any command line flags that can be passed to the task. */ public static options: any = { 'verbose': 'Output all TypeScript files being built' }; /** * @property {ICommandLineArgs} args - Command line arguments; */ private _args: ICommandLineArgs = yargs.argv; /** @constructor */ constructor() { super(); Utils.log('Transpiling app TypeScript files to JavaScript'); // use the TypeScript project config file for all settings let tsProject: any = $.typescript.createProject('tsconfig.json'); // compile all TypeScript files, including sourcemaps inline in the generated JavaScript let result: any = tsProject.src() .pipe($.plumber()) .pipe($.if(this._args.verbose, $.print())) .pipe($.sourcemaps.init()) .pipe($.typescript(tsProject)); return result.js .pipe($.sourcemaps.write()) .pipe(gulp.dest('')); } }
{ "content_hash": "1bc57fd39b2780756afb19992aa8b8b3", "timestamp": "", "source": "github", "line_count": 62, "max_line_length": 98, "avg_line_length": 28.387096774193548, "alnum_prop": 0.6443181818181818, "repo_name": "johnmeilleur/ng-officeuifabric", "id": "451476ca415cacd6c963497678e936c2d08a67b8", "size": "1760", "binary": false, "copies": "4", "ref": "refs/heads/master", "path": "build/gulp/tasks/transpile-ts.ts", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "768" }, { "name": "HTML", "bytes": "55269" }, { "name": "JavaScript", "bytes": "27787" }, { "name": "TypeScript", "bytes": "177510" } ], "symlink_target": "" }
package ch.ethz.ssh2; import java.io.IOException; /** * May be thrown upon connect() if a HTTP proxy is being used. * * @see Connection#connect() * @see Connection#setProxyData(ProxyData) * * @author Christian Plattner * @version 2.50, 03/15/10 */ public class HTTPProxyException extends IOException { private static final long serialVersionUID = 2241537397104426186L; public final String httpResponse; public final int httpErrorCode; public HTTPProxyException(String httpResponse, int httpErrorCode) { super("HTTP Proxy Error (" + httpErrorCode + " " + httpResponse + ")"); this.httpResponse = httpResponse; this.httpErrorCode = httpErrorCode; } }
{ "content_hash": "ceff7cf92e1810f2cb2161749c7bed27", "timestamp": "", "source": "github", "line_count": 29, "max_line_length": 73, "avg_line_length": 23.344827586206897, "alnum_prop": 0.7370753323485968, "repo_name": "jochemvankempen/setPath", "id": "c51eeb52836df44e32ece5d448aad3e1da76b8ce", "size": "677", "binary": false, "copies": "5", "ref": "refs/heads/master", "path": "ssh2_v2_m1_r5/ssh2_v2_m1_r5/ganymed-ssh2-build250/src/ch/ethz/ssh2/HTTPProxyException.java", "mode": "33188", "license": "bsd-2-clause", "language": [ { "name": "AGS Script", "bytes": "560" }, { "name": "Csound Document", "bytes": "89614" }, { "name": "HTML", "bytes": "102405" }, { "name": "Java", "bytes": "577604" }, { "name": "M", "bytes": "12041" }, { "name": "Matlab", "bytes": "2640657" } ], "symlink_target": "" }
using System; using System.Collections.Generic; using System.Linq; using System.Text; namespace VocaDb.Model.Domain { public class LinkAlreadyExistsException : Exception { public LinkAlreadyExistsException() { } public LinkAlreadyExistsException(string message) : base(message) { } } }
{ "content_hash": "ae40d04b15b35bb17ff557a2b80a7442", "timestamp": "", "source": "github", "line_count": 17, "max_line_length": 54, "avg_line_length": 17.764705882352942, "alnum_prop": 0.7615894039735099, "repo_name": "cazzar/VocaDbTagger", "id": "7f64a856c579f3bab4c0338e1961a9ea1edb2f5d", "size": "304", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "VocaDbModel/Domain/LinkAlreadyExistsException.cs", "mode": "33188", "license": "mit", "language": [ { "name": "C#", "bytes": "1128482" } ], "symlink_target": "" }
#include "xenia/kernel/objects/xnotify_listener.h" namespace xe { namespace kernel { XNotifyListener::XNotifyListener(KernelState* kernel_state) : XObject(kernel_state, kTypeNotifyListener), wait_handle_(NULL), mask_(0), notification_count_(0) {} XNotifyListener::~XNotifyListener() { kernel_state_->UnregisterNotifyListener(this); if (wait_handle_) { CloseHandle(wait_handle_); } } void XNotifyListener::Initialize(uint64_t mask) { assert_null(wait_handle_); wait_handle_ = CreateEvent(NULL, TRUE, FALSE, NULL); mask_ = mask; kernel_state_->RegisterNotifyListener(this); } void XNotifyListener::EnqueueNotification(XNotificationID id, uint32_t data) { // Ignore if the notification doesn't match our mask. if ((mask_ & uint64_t(1 << (id >> 25))) == 0) { return; } std::lock_guard<std::mutex> lock(lock_); if (notifications_.count(id)) { // Already exists. Overwrite. notifications_[id] = data; } else { // New. notification_count_++; notifications_.insert({id, data}); } SetEvent(wait_handle_); } bool XNotifyListener::DequeueNotification(XNotificationID* out_id, uint32_t* out_data) { std::lock_guard<std::mutex> lock(lock_); bool dequeued = false; if (notification_count_) { dequeued = true; auto it = notifications_.begin(); *out_id = it->first; *out_data = it->second; notifications_.erase(it); notification_count_--; if (!notification_count_) { ResetEvent(wait_handle_); } } return dequeued; } bool XNotifyListener::DequeueNotification(XNotificationID id, uint32_t* out_data) { std::lock_guard<std::mutex> lock(lock_); bool dequeued = false; if (notification_count_) { dequeued = true; auto it = notifications_.find(id); if (it != notifications_.end()) { *out_data = it->second; notifications_.erase(it); notification_count_--; if (!notification_count_) { ResetEvent(wait_handle_); } } } return dequeued; } } // namespace kernel } // namespace xe
{ "content_hash": "000fd6faf001830d860513dde86baa71", "timestamp": "", "source": "github", "line_count": 86, "max_line_length": 78, "avg_line_length": 24.930232558139537, "alnum_prop": 0.6240671641791045, "repo_name": "DrChat/xenia", "id": "495e9cfde6730f1237501e0101b5ee44bd249077", "size": "2631", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "src/xenia/kernel/objects/xnotify_listener.cc", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "Assembly", "bytes": "209893" }, { "name": "Batchfile", "bytes": "13726" }, { "name": "C", "bytes": "5114" }, { "name": "C#", "bytes": "3517" }, { "name": "C++", "bytes": "2695746" } ], "symlink_target": "" }
<!DOCTYPE html> <html lang="en"> <head> <meta charset="utf-8"> <title>Phaser Class: InWorld</title> <!--[if lt IE 9]> <script src="//html5shiv.googlecode.com/svn/trunk/html5.js"></script> <![endif]--> <link type="text/css" rel="stylesheet" href="styles/default.css"> <link type="text/css" rel="stylesheet" href="styles/sunlight.default.css"> <link type="text/css" rel="stylesheet" href="styles/site.cerulean.css"> </head> <body> <div class="container-fluid"> <div class="navbar navbar-fixed-top navbar-inverse"> <div style="position: absolute; width: 143px; height: 31px; right: 10px; top: 10px; z-index: 1050"><a href="http://phaser.io"><img src="img/phaser.png" border="0" /></a></div> <div class="navbar-inner"> <a class="brand" href="index.html">Phaser API</a> <ul class="nav"> <li class="dropdown"> <a href="namespaces.list.html" class="dropdown-toggle" data-toggle="dropdown">Namespaces<b class="caret"></b></a> <ul class="dropdown-menu "> <li class="class-depth-0"> <a href="Phaser.html">Phaser</a> </li> <li class="class-depth-0"> <a href="PIXI.html">PIXI</a> </li> </ul> </li> <li class="dropdown"> <a href="classes.list.html" class="dropdown-toggle" data-toggle="dropdown">Classes<b class="caret"></b></a> <ul class="dropdown-menu "> <li class="class-depth-0"> <a href="EarCut.html">EarCut</a> </li> <li class="class-depth-0"> <a href="Event.html">Event</a> </li> <li class="class-depth-0"> <a href="EventTarget.html">EventTarget</a> </li> <li class="class-depth-1"> <a href="Phaser.Animation.html">Animation</a> </li> <li class="class-depth-1"> <a href="Phaser.AnimationManager.html">AnimationManager</a> </li> <li class="class-depth-1"> <a href="Phaser.AnimationParser.html">AnimationParser</a> </li> <li class="class-depth-1"> <a href="Phaser.ArraySet.html">ArraySet</a> </li> <li class="class-depth-1"> <a href="Phaser.ArrayUtils.html">ArrayUtils</a> </li> <li class="class-depth-1"> <a href="Phaser.AudioSprite.html">AudioSprite</a> </li> <li class="class-depth-1"> <a href="Phaser.BitmapData.html">BitmapData</a> </li> <li class="class-depth-1"> <a href="Phaser.BitmapText.html">BitmapText</a> </li> <li class="class-depth-1"> <a href="Phaser.Bullet.html">Bullet</a> </li> <li class="class-depth-1"> <a href="Phaser.Button.html">Button</a> </li> <li class="class-depth-1"> <a href="Phaser.Cache.html">Cache</a> </li> <li class="class-depth-1"> <a href="Phaser.Camera.html">Camera</a> </li> <li class="class-depth-1"> <a href="Phaser.Canvas.html">Canvas</a> </li> <li class="class-depth-1"> <a href="Phaser.CanvasPool.html">CanvasPool</a> </li> <li class="class-depth-1"> <a href="Phaser.Circle.html">Circle</a> </li> <li class="class-depth-1"> <a href="Phaser.Color.html">Color</a> </li> <li class="class-depth-2"> <a href="Phaser.Component.Angle.html">Angle</a> </li> <li class="class-depth-2"> <a href="Phaser.Component.Animation.html">Animation</a> </li> <li class="class-depth-2"> <a href="Phaser.Component.AutoCull.html">AutoCull</a> </li> <li class="class-depth-2"> <a href="Phaser.Component.Bounds.html">Bounds</a> </li> <li class="class-depth-2"> <a href="Phaser.Component.BringToTop.html">BringToTop</a> </li> <li class="class-depth-2"> <a href="Phaser.Component.Core.html">Core</a> </li> <li class="class-depth-2"> <a href="Phaser.Component.Crop.html">Crop</a> </li> <li class="class-depth-2"> <a href="Phaser.Component.Delta.html">Delta</a> </li> <li class="class-depth-2"> <a href="Phaser.Component.Destroy.html">Destroy</a> </li> <li class="class-depth-2"> <a href="Phaser.Component.FixedToCamera.html">FixedToCamera</a> </li> <li class="class-depth-2"> <a href="Phaser.Component.Health.html">Health</a> </li> <li class="class-depth-2"> <a href="Phaser.Component.InCamera.html">InCamera</a> </li> <li class="class-depth-2"> <a href="Phaser.Component.InputEnabled.html">InputEnabled</a> </li> <li class="class-depth-2"> <a href="Phaser.Component.InWorld.html">InWorld</a> </li> <li class="class-depth-2"> <a href="Phaser.Component.LifeSpan.html">LifeSpan</a> </li> <li class="class-depth-2"> <a href="Phaser.Component.LoadTexture.html">LoadTexture</a> </li> <li class="class-depth-2"> <a href="Phaser.Component.Overlap.html">Overlap</a> </li> <li class="class-depth-2"> <a href="Phaser.Component.PhysicsBody.html">PhysicsBody</a> </li> <li class="class-depth-2"> <a href="Phaser.Component.Reset.html">Reset</a> </li> <li class="class-depth-2"> <a href="Phaser.Component.ScaleMinMax.html">ScaleMinMax</a> </li> <li class="class-depth-2"> <a href="Phaser.Component.Smoothed.html">Smoothed</a> </li> <li class="class-depth-1"> <a href="Phaser.Create.html">Create</a> </li> <li class="class-depth-1"> <a href="Phaser.Creature.html">Creature</a> </li> <li class="class-depth-1"> <a href="Phaser.Device.html">Device</a> </li> <li class="class-depth-1"> <a href="Phaser.DeviceButton.html">DeviceButton</a> </li> <li class="class-depth-1"> <a href="Phaser.DOM.html">DOM</a> </li> <li class="class-depth-1"> <a href="Phaser.Easing.html">Easing</a> </li> <li class="class-depth-2"> <a href="Phaser.Easing.Back.html">Back</a> </li> <li class="class-depth-2"> <a href="Phaser.Easing.Bounce.html">Bounce</a> </li> <li class="class-depth-2"> <a href="Phaser.Easing.Circular.html">Circular</a> </li> <li class="class-depth-2"> <a href="Phaser.Easing.Cubic.html">Cubic</a> </li> <li class="class-depth-2"> <a href="Phaser.Easing.Elastic.html">Elastic</a> </li> <li class="class-depth-2"> <a href="Phaser.Easing.Exponential.html">Exponential</a> </li> <li class="class-depth-2"> <a href="Phaser.Easing.Linear.html">Linear</a> </li> <li class="class-depth-2"> <a href="Phaser.Easing.Quadratic.html">Quadratic</a> </li> <li class="class-depth-2"> <a href="Phaser.Easing.Quartic.html">Quartic</a> </li> <li class="class-depth-2"> <a href="Phaser.Easing.Quintic.html">Quintic</a> </li> <li class="class-depth-2"> <a href="Phaser.Easing.Sinusoidal.html">Sinusoidal</a> </li> <li class="class-depth-1"> <a href="Phaser.Ellipse.html">Ellipse</a> </li> <li class="class-depth-1"> <a href="Phaser.Events.html">Events</a> </li> <li class="class-depth-1"> <a href="Phaser.Filter.html">Filter</a> </li> <li class="class-depth-1"> <a href="Phaser.FlexGrid.html">FlexGrid</a> </li> <li class="class-depth-1"> <a href="Phaser.FlexLayer.html">FlexLayer</a> </li> <li class="class-depth-1"> <a href="Phaser.Frame.html">Frame</a> </li> <li class="class-depth-1"> <a href="Phaser.FrameData.html">FrameData</a> </li> <li class="class-depth-1"> <a href="Phaser.Game.html">Game</a> </li> <li class="class-depth-1"> <a href="Phaser.GameObjectCreator.html">GameObjectCreator</a> </li> <li class="class-depth-1"> <a href="Phaser.GameObjectFactory.html">GameObjectFactory</a> </li> <li class="class-depth-1"> <a href="Phaser.Gamepad.html">Gamepad</a> </li> <li class="class-depth-1"> <a href="Phaser.Graphics.html">Graphics</a> </li> <li class="class-depth-1"> <a href="Phaser.Group.html">Group</a> </li> <li class="class-depth-1"> <a href="Phaser.Hermite.html">Hermite</a> </li> <li class="class-depth-1"> <a href="Phaser.Image.html">Image</a> </li> <li class="class-depth-1"> <a href="Phaser.ImageCollection.html">ImageCollection</a> </li> <li class="class-depth-1"> <a href="Phaser.Input.html">Input</a> </li> <li class="class-depth-1"> <a href="Phaser.InputHandler.html">InputHandler</a> </li> <li class="class-depth-1"> <a href="Phaser.Key.html">Key</a> </li> <li class="class-depth-1"> <a href="Phaser.Keyboard.html">Keyboard</a> </li> <li class="class-depth-1"> <a href="Phaser.KeyCode.html">KeyCode</a> </li> <li class="class-depth-1"> <a href="Phaser.Line.html">Line</a> </li> <li class="class-depth-1"> <a href="Phaser.LinkedList.html">LinkedList</a> </li> <li class="class-depth-1"> <a href="Phaser.Loader.html">Loader</a> </li> <li class="class-depth-1"> <a href="Phaser.LoaderParser.html">LoaderParser</a> </li> <li class="class-depth-1"> <a href="Phaser.Math.html">Math</a> </li> <li class="class-depth-1"> <a href="Phaser.Matrix.html">Matrix</a> </li> <li class="class-depth-1"> <a href="Phaser.Mouse.html">Mouse</a> </li> <li class="class-depth-1"> <a href="Phaser.MSPointer.html">MSPointer</a> </li> <li class="class-depth-1"> <a href="Phaser.Net.html">Net</a> </li> <li class="class-depth-1"> <a href="Phaser.Particle.html">Particle</a> </li> <li class="class-depth-1"> <a href="Phaser.Particles.html">Particles</a> </li> <li class="class-depth-2"> <a href="Phaser.Particles.Arcade.html">Arcade</a> </li> <li class="class-depth-3"> <a href="Phaser.Particles.Arcade.Emitter.html">Emitter</a> </li> <li class="class-depth-1"> <a href="Phaser.Path.html">Path</a> </li> <li class="class-depth-1"> <a href="Phaser.PathFollower.html">PathFollower</a> </li> <li class="class-depth-1"> <a href="Phaser.PathPoint.html">PathPoint</a> </li> <li class="class-depth-1"> <a href="Phaser.Physics.html">Physics</a> </li> <li class="class-depth-2"> <a href="Phaser.Physics.Arcade.html">Arcade</a> </li> <li class="class-depth-3"> <a href="Phaser.Physics.Arcade.Body.html">Body</a> </li> <li class="class-depth-3"> <a href="Phaser.Physics.Arcade.TilemapCollision.html">TilemapCollision</a> </li> <li class="class-depth-2"> <a href="Phaser.Physics.Ninja.html">Ninja</a> </li> <li class="class-depth-3"> <a href="Phaser.Physics.Ninja.AABB.html">AABB</a> </li> <li class="class-depth-3"> <a href="Phaser.Physics.Ninja.Body.html">Body</a> </li> <li class="class-depth-3"> <a href="Phaser.Physics.Ninja.Circle.html">Circle</a> </li> <li class="class-depth-3"> <a href="Phaser.Physics.Ninja.Tile.html">Tile</a> </li> <li class="class-depth-2"> <a href="Phaser.Physics.P2.html">P2</a> </li> <li class="class-depth-3"> <a href="Phaser.Physics.P2.Body.html">Body</a> </li> <li class="class-depth-3"> <a href="Phaser.Physics.P2.BodyDebug.html">BodyDebug</a> </li> <li class="class-depth-3"> <a href="Phaser.Physics.P2.CollisionGroup.html">CollisionGroup</a> </li> <li class="class-depth-3"> <a href="Phaser.Physics.P2.ContactMaterial.html">ContactMaterial</a> </li> <li class="class-depth-3"> <a href="Phaser.Physics.P2.DistanceConstraint.html">DistanceConstraint</a> </li> <li class="class-depth-3"> <a href="Phaser.Physics.P2.FixtureList.html">FixtureList</a> </li> <li class="class-depth-3"> <a href="Phaser.Physics.P2.GearConstraint.html">GearConstraint</a> </li> <li class="class-depth-3"> <a href="Phaser.Physics.P2.InversePointProxy.html">InversePointProxy</a> </li> <li class="class-depth-3"> <a href="Phaser.Physics.P2.LockConstraint.html">LockConstraint</a> </li> <li class="class-depth-3"> <a href="Phaser.Physics.P2.Material.html">Material</a> </li> <li class="class-depth-3"> <a href="Phaser.Physics.P2.PointProxy.html">PointProxy</a> </li> <li class="class-depth-3"> <a href="Phaser.Physics.P2.PrismaticConstraint.html">PrismaticConstraint</a> </li> <li class="class-depth-3"> <a href="Phaser.Physics.P2.RevoluteConstraint.html">RevoluteConstraint</a> </li> <li class="class-depth-3"> <a href="Phaser.Physics.P2.RotationalSpring.html">RotationalSpring</a> </li> <li class="class-depth-3"> <a href="Phaser.Physics.P2.Spring.html">Spring</a> </li> <li class="class-depth-1"> <a href="Phaser.Plugin.html">Plugin</a> </li> <li class="class-depth-2"> <a href="Phaser.Plugin.AStar.html">AStar</a> </li> <li class="class-depth-3"> <a href="Phaser.Plugin.AStar.AStarNode.html">AStarNode</a> </li> <li class="class-depth-3"> <a href="Phaser.Plugin.AStar.AStarPath.html">AStarPath</a> </li> <li class="class-depth-2"> <a href="Phaser.Plugin.ColorHarmony.html">ColorHarmony</a> </li> <li class="class-depth-2"> <a href="Phaser.Plugin.CSS3Filters.html">CSS3Filters</a> </li> <li class="class-depth-2"> <a href="Phaser.Plugin.Juicy.html">Juicy</a> </li> <li class="class-depth-3"> <a href="Phaser.Plugin.Juicy.ScreenFlash.html">ScreenFlash</a> </li> <li class="class-depth-3"> <a href="Phaser.Plugin.Juicy.Trail.html">Trail</a> </li> <li class="class-depth-2"> <a href="Phaser.Plugin.KineticScrolling.html">KineticScrolling</a> </li> <li class="class-depth-2"> <a href="Phaser.Plugin.PathManager.html">PathManager</a> </li> <li class="class-depth-2"> <a href="Phaser.Plugin.SamplePlugin.html">SamplePlugin</a> </li> <li class="class-depth-2"> <a href="Phaser.Plugin.TilemapWalker.html">TilemapWalker</a> </li> <li class="class-depth-2"> <a href="Phaser.Plugin.VirtualJoystick.html">VirtualJoystick</a> </li> <li class="class-depth-2"> <a href="Phaser.Plugin.Webcam.html">Webcam</a> </li> <li class="class-depth-1"> <a href="Phaser.PluginManager.html">PluginManager</a> </li> <li class="class-depth-1"> <a href="Phaser.Point.html">Point</a> </li> <li class="class-depth-1"> <a href="Phaser.Pointer.html">Pointer</a> </li> <li class="class-depth-1"> <a href="Phaser.PointerMode.html">PointerMode</a> </li> <li class="class-depth-1"> <a href="Phaser.Polygon.html">Polygon</a> </li> <li class="class-depth-1"> <a href="Phaser.QuadTree.html">QuadTree</a> </li> <li class="class-depth-1"> <a href="Phaser.RandomDataGenerator.html">RandomDataGenerator</a> </li> <li class="class-depth-1"> <a href="Phaser.Rectangle.html">Rectangle</a> </li> <li class="class-depth-1"> <a href="Phaser.RenderTexture.html">RenderTexture</a> </li> <li class="class-depth-1"> <a href="Phaser.RequestAnimationFrame.html">RequestAnimationFrame</a> </li> <li class="class-depth-1"> <a href="Phaser.RetroFont.html">RetroFont</a> </li> <li class="class-depth-1"> <a href="Phaser.Rope.html">Rope</a> </li> <li class="class-depth-1"> <a href="Phaser.RoundedRectangle.html">RoundedRectangle</a> </li> <li class="class-depth-1"> <a href="Phaser.ScaleManager.html">ScaleManager</a> </li> <li class="class-depth-1"> <a href="Phaser.Signal.html">Signal</a> </li> <li class="class-depth-1"> <a href="Phaser.SignalBinding.html">SignalBinding</a> </li> <li class="class-depth-1"> <a href="Phaser.SinglePad.html">SinglePad</a> </li> <li class="class-depth-1"> <a href="Phaser.Sound.html">Sound</a> </li> <li class="class-depth-1"> <a href="Phaser.SoundManager.html">SoundManager</a> </li> <li class="class-depth-1"> <a href="Phaser.Sprite.html">Sprite</a> </li> <li class="class-depth-1"> <a href="Phaser.SpriteBatch.html">SpriteBatch</a> </li> <li class="class-depth-1"> <a href="Phaser.Stage.html">Stage</a> </li> <li class="class-depth-1"> <a href="Phaser.State.html">State</a> </li> <li class="class-depth-1"> <a href="Phaser.StateManager.html">StateManager</a> </li> <li class="class-depth-1"> <a href="Phaser.Text.html">Text</a> </li> <li class="class-depth-1"> <a href="Phaser.Tile.html">Tile</a> </li> <li class="class-depth-1"> <a href="Phaser.Tilemap.html">Tilemap</a> </li> <li class="class-depth-1"> <a href="Phaser.TilemapLayer.html">TilemapLayer</a> </li> <li class="class-depth-1"> <a href="Phaser.TilemapParser.html">TilemapParser</a> </li> <li class="class-depth-1"> <a href="Phaser.Tileset.html">Tileset</a> </li> <li class="class-depth-1"> <a href="Phaser.TileSprite.html">TileSprite</a> </li> <li class="class-depth-1"> <a href="Phaser.Time.html">Time</a> </li> <li class="class-depth-1"> <a href="Phaser.Timer.html">Timer</a> </li> <li class="class-depth-1"> <a href="Phaser.TimerEvent.html">TimerEvent</a> </li> <li class="class-depth-1"> <a href="Phaser.Touch.html">Touch</a> </li> <li class="class-depth-1"> <a href="Phaser.Tween.html">Tween</a> </li> <li class="class-depth-1"> <a href="Phaser.TweenData.html">TweenData</a> </li> <li class="class-depth-1"> <a href="Phaser.TweenManager.html">TweenManager</a> </li> <li class="class-depth-1"> <a href="Phaser.Utils.html">Utils</a> </li> <li class="class-depth-2"> <a href="Phaser.Utils.Debug.html">Debug</a> </li> <li class="class-depth-1"> <a href="Phaser.Video.html">Video</a> </li> <li class="class-depth-1"> <a href="Phaser.Weapon.html">Weapon</a> </li> <li class="class-depth-1"> <a href="Phaser.World.html">World</a> </li> <li class="class-depth-1"> <a href="PIXI.BaseTexture.html">BaseTexture</a> </li> <li class="class-depth-1"> <a href="PIXI.CanvasBuffer.html">CanvasBuffer</a> </li> <li class="class-depth-1"> <a href="PIXI.CanvasGraphics.html">CanvasGraphics</a> </li> <li class="class-depth-1"> <a href="PIXI.CanvasMaskManager.html">CanvasMaskManager</a> </li> <li class="class-depth-1"> <a href="PIXI.CanvasRenderer.html">CanvasRenderer</a> </li> <li class="class-depth-1"> <a href="PIXI.CanvasTinter.html">CanvasTinter</a> </li> <li class="class-depth-1"> <a href="PIXI.ComplexPrimitiveShader.html">ComplexPrimitiveShader</a> </li> <li class="class-depth-1"> <a href="PIXI.DisplayObject.html">DisplayObject</a> </li> <li class="class-depth-1"> <a href="PIXI.DisplayObjectContainer.html">DisplayObjectContainer</a> </li> <li class="class-depth-1"> <a href="PIXI.FilterTexture.html">FilterTexture</a> </li> <li class="class-depth-2"> <a href="PIXI.Phaser.GraphicsData.html">Phaser.GraphicsData</a> </li> <li class="class-depth-1"> <a href="PIXI.PIXI.html">PIXI</a> </li> <li class="class-depth-1"> <a href="PIXI.PixiFastShader.html">PixiFastShader</a> </li> <li class="class-depth-1"> <a href="PIXI.PixiShader.html">PixiShader</a> </li> <li class="class-depth-1"> <a href="PIXI.PrimitiveShader.html">PrimitiveShader</a> </li> <li class="class-depth-1"> <a href="PIXI.Sprite.html">Sprite</a> </li> <li class="class-depth-1"> <a href="PIXI.StripShader.html">StripShader</a> </li> <li class="class-depth-1"> <a href="PIXI.Texture.html">Texture</a> </li> <li class="class-depth-1"> <a href="PIXI.WebGLBlendModeManager.html">WebGLBlendModeManager</a> </li> <li class="class-depth-1"> <a href="PIXI.WebGLFastSpriteBatch.html">WebGLFastSpriteBatch</a> </li> <li class="class-depth-1"> <a href="PIXI.WebGLFilterManager.html">WebGLFilterManager</a> </li> <li class="class-depth-1"> <a href="PIXI.WebGLRenderer.html">WebGLRenderer</a> </li> </ul> </li> <li class="dropdown"> <a href="global.html" class="dropdown-toggle" data-toggle="dropdown">Global<b class="caret"></b></a> <ul class="dropdown-menu "> <li class="class-depth-0"> <a href="global.html#ANGLE_DOWN">ANGLE_DOWN</a> </li> <li class="class-depth-0"> <a href="global.html#ANGLE_LEFT">ANGLE_LEFT</a> </li> <li class="class-depth-0"> <a href="global.html#ANGLE_NORTH_EAST">ANGLE_NORTH_EAST</a> </li> <li class="class-depth-0"> <a href="global.html#ANGLE_NORTH_WEST">ANGLE_NORTH_WEST</a> </li> <li class="class-depth-0"> <a href="global.html#ANGLE_RIGHT">ANGLE_RIGHT</a> </li> <li class="class-depth-0"> <a href="global.html#ANGLE_SOUTH_EAST">ANGLE_SOUTH_EAST</a> </li> <li class="class-depth-0"> <a href="global.html#ANGLE_SOUTH_WEST">ANGLE_SOUTH_WEST</a> </li> <li class="class-depth-0"> <a href="global.html#ANGLE_UP">ANGLE_UP</a> </li> <li class="class-depth-0"> <a href="global.html#arc">arc</a> </li> <li class="class-depth-0"> <a href="global.html#AUTO">AUTO</a> </li> <li class="class-depth-0"> <a href="global.html#beginFill">beginFill</a> </li> <li class="class-depth-0"> <a href="global.html#bezierCurveTo">bezierCurveTo</a> </li> <li class="class-depth-0"> <a href="global.html#BITMAPDATA">BITMAPDATA</a> </li> <li class="class-depth-0"> <a href="global.html#BITMAPTEXT">BITMAPTEXT</a> </li> <li class="class-depth-0"> <a href="global.html#blendModes">blendModes</a> </li> <li class="class-depth-0"> <a href="global.html#BOTTOM_CENTER">BOTTOM_CENTER</a> </li> <li class="class-depth-0"> <a href="global.html#BOTTOM_LEFT">BOTTOM_LEFT</a> </li> <li class="class-depth-0"> <a href="global.html#BOTTOM_RIGHT">BOTTOM_RIGHT</a> </li> <li class="class-depth-0"> <a href="global.html#BUTTON">BUTTON</a> </li> <li class="class-depth-0"> <a href="global.html#CANVAS">CANVAS</a> </li> <li class="class-depth-0"> <a href="global.html#CANVAS_FILTER">CANVAS_FILTER</a> </li> <li class="class-depth-0"> <a href="global.html#CENTER">CENTER</a> </li> <li class="class-depth-0"> <a href="global.html#CIRCLE">CIRCLE</a> </li> <li class="class-depth-0"> <a href="global.html#clear">clear</a> </li> <li class="class-depth-0"> <a href="global.html#CREATURE">CREATURE</a> </li> <li class="class-depth-0"> <a href="global.html#destroyCachedSprite">destroyCachedSprite</a> </li> <li class="class-depth-0"> <a href="global.html#displayList">displayList</a> </li> <li class="class-depth-0"> <a href="global.html#DOWN">DOWN</a> </li> <li class="class-depth-0"> <a href="global.html#drawCircle">drawCircle</a> </li> <li class="class-depth-0"> <a href="global.html#drawEllipse">drawEllipse</a> </li> <li class="class-depth-0"> <a href="global.html#drawPolygon">drawPolygon</a> </li> <li class="class-depth-0"> <a href="global.html#drawRect">drawRect</a> </li> <li class="class-depth-0"> <a href="global.html#drawRoundedRect">drawRoundedRect</a> </li> <li class="class-depth-0"> <a href="global.html#drawShape">drawShape</a> </li> <li class="class-depth-0"> <a href="global.html#ELLIPSE">ELLIPSE</a> </li> <li class="class-depth-0"> <a href="global.html#emit">emit</a> </li> <li class="class-depth-0"> <a href="global.html#EMITTER">EMITTER</a> </li> <li class="class-depth-0"> <a href="global.html#endFill">endFill</a> </li> <li class="class-depth-0"> <a href="global.html#GAMES">GAMES</a> </li> <li class="class-depth-0"> <a href="global.html#generateTexture">generateTexture</a> </li> <li class="class-depth-0"> <a href="global.html#getBounds">getBounds</a> </li> <li class="class-depth-0"> <a href="global.html#getLocalBounds">getLocalBounds</a> </li> <li class="class-depth-0"> <a href="global.html#GRAPHICS">GRAPHICS</a> </li> <li class="class-depth-0"> <a href="global.html#GROUP">GROUP</a> </li> <li class="class-depth-0"> <a href="global.html#HEADLESS">HEADLESS</a> </li> <li class="class-depth-0"> <a href="global.html#HORIZONTAL">HORIZONTAL</a> </li> <li class="class-depth-0"> <a href="global.html#IMAGE">IMAGE</a> </li> <li class="class-depth-0"> <a href="global.html#LANDSCAPE">LANDSCAPE</a> </li> <li class="class-depth-0"> <a href="global.html#LEFT">LEFT</a> </li> <li class="class-depth-0"> <a href="global.html#LEFT_BOTTOM">LEFT_BOTTOM</a> </li> <li class="class-depth-0"> <a href="global.html#LEFT_CENTER">LEFT_CENTER</a> </li> <li class="class-depth-0"> <a href="global.html#LEFT_TOP">LEFT_TOP</a> </li> <li class="class-depth-0"> <a href="global.html#LINE">LINE</a> </li> <li class="class-depth-0"> <a href="global.html#lineStyle">lineStyle</a> </li> <li class="class-depth-0"> <a href="global.html#lineTo">lineTo</a> </li> <li class="class-depth-0"> <a href="global.html#listeners">listeners</a> </li> <li class="class-depth-0"> <a href="global.html#MATRIX">MATRIX</a> </li> <li class="class-depth-0"> <a href="global.html#mixin">mixin</a> </li> <li class="class-depth-0"> <a href="global.html#moveTo">moveTo</a> </li> <li class="class-depth-0"> <a href="global.html#NONE">NONE</a> </li> <li class="class-depth-0"> <a href="global.html#off">off</a> </li> <li class="class-depth-0"> <a href="global.html#on">on</a> </li> <li class="class-depth-0"> <a href="global.html#once">once</a> </li> <li class="class-depth-0"> <a href="global.html#PENDING_ATLAS">PENDING_ATLAS</a> </li> <li class="class-depth-2"> <a href="global.html#Phaser.Path#numPointsreturn%257Bnumber%257DThetotalnumberofPathPointsinthisPath.">Phaser.Path#numPoints return {number} The total number of PathPoints in this Path.</a> </li> <li class="class-depth-0"> <a href="global.html#POINT">POINT</a> </li> <li class="class-depth-0"> <a href="global.html#POINTER">POINTER</a> </li> <li class="class-depth-0"> <a href="global.html#POLYGON">POLYGON</a> </li> <li class="class-depth-0"> <a href="global.html#PORTRAIT">PORTRAIT</a> </li> <li class="class-depth-0"> <a href="global.html#quadraticCurveTo">quadraticCurveTo</a> </li> <li class="class-depth-0"> <a href="global.html#RECTANGLE">RECTANGLE</a> </li> <li class="class-depth-0"> <a href="global.html#removeAllListeners">removeAllListeners</a> </li> <li class="class-depth-0"> <a href="global.html#RENDERTEXTURE">RENDERTEXTURE</a> </li> <li class="class-depth-0"> <a href="global.html#RETROFONT">RETROFONT</a> </li> <li class="class-depth-0"> <a href="global.html#RIGHT">RIGHT</a> </li> <li class="class-depth-0"> <a href="global.html#RIGHT_BOTTOM">RIGHT_BOTTOM</a> </li> <li class="class-depth-0"> <a href="global.html#RIGHT_CENTER">RIGHT_CENTER</a> </li> <li class="class-depth-0"> <a href="global.html#RIGHT_TOP">RIGHT_TOP</a> </li> <li class="class-depth-0"> <a href="global.html#ROPE">ROPE</a> </li> <li class="class-depth-0"> <a href="global.html#ROUNDEDRECTANGLE">ROUNDEDRECTANGLE</a> </li> <li class="class-depth-0"> <a href="global.html#scaleModes">scaleModes</a> </li> <li class="class-depth-0"> <a href="global.html#set">set</a> </li> <li class="class-depth-0"> <a href="global.html#SPRITE">SPRITE</a> </li> <li class="class-depth-0"> <a href="global.html#SPRITEBATCH">SPRITEBATCH</a> </li> <li class="class-depth-0"> <a href="global.html#stopImmediatePropagation">stopImmediatePropagation</a> </li> <li class="class-depth-0"> <a href="global.html#stopPropagation">stopPropagation</a> </li> <li class="class-depth-0"> <a href="global.html#TEXT">TEXT</a> </li> <li class="class-depth-0"> <a href="global.html#TILEMAP">TILEMAP</a> </li> <li class="class-depth-0"> <a href="global.html#TILEMAPLAYER">TILEMAPLAYER</a> </li> <li class="class-depth-0"> <a href="global.html#TILESPRITE">TILESPRITE</a> </li> <li class="class-depth-0"> <a href="global.html#TOP_CENTER">TOP_CENTER</a> </li> <li class="class-depth-0"> <a href="global.html#TOP_LEFT">TOP_LEFT</a> </li> <li class="class-depth-0"> <a href="global.html#TOP_RIGHT">TOP_RIGHT</a> </li> <li class="class-depth-0"> <a href="global.html#UP">UP</a> </li> <li class="class-depth-0"> <a href="global.html#updateLocalBounds">updateLocalBounds</a> </li> <li class="class-depth-0"> <a href="global.html#VERSION">VERSION</a> </li> <li class="class-depth-0"> <a href="global.html#VERTICAL">VERTICAL</a> </li> <li class="class-depth-0"> <a href="global.html#VIDEO">VIDEO</a> </li> <li class="class-depth-0"> <a href="global.html#WEBGL">WEBGL</a> </li> <li class="class-depth-0"> <a href="global.html#WEBGL_FILTER">WEBGL_FILTER</a> </li> <li class="class-depth-0"> <a href="global.html#WEBGL_MULTI">WEBGL_MULTI</a> </li> </ul> </li> <li class="dropdown"> <a href="#" class="dropdown-toggle" data-toggle="dropdown">Core<b class="caret"></b></a> <ul class="dropdown-menu "> <li class="class-depth-1"><a href="Phaser.Game.html">Game</a></li> <li class="class-depth-1"><a href="Phaser.Group.html">Group</a></li> <li class="class-depth-1"><a href="Phaser.World.html">World</a></li> <li class="class-depth-1"><a href="Phaser.Loader.html">Loader</a></li> <li class="class-depth-1"><a href="Phaser.Cache.html">Cache</a></li> <li class="class-depth-1"><a href="Phaser.Time.html">Time</a></li> <li class="class-depth-1"><a href="Phaser.Camera.html">Camera</a></li> <li class="class-depth-1"><a href="Phaser.StateManager.html">State Manager</a></li> <li class="class-depth-1"><a href="Phaser.TweenManager.html">Tween Manager</a></li> <li class="class-depth-1"><a href="Phaser.SoundManager.html">Sound Manager</a></li> <li class="class-depth-1"><a href="Phaser.Input.html">Input Manager</a></li> <li class="class-depth-1"><a href="Phaser.ScaleManager.html">Scale Manager</a></li> </ul> </li> <li class="dropdown"> <a href="#" class="dropdown-toggle" data-toggle="dropdown">Game Objects<b class="caret"></b></a> <ul class="dropdown-menu "> <li class="class-depth-1"><a href="Phaser.GameObjectFactory.html">Factory (game.add)</a></li> <li class="class-depth-1"><a href="Phaser.GameObjectCreator.html">Creator (game.make)</a></li> <li class="class-depth-1"><a href="Phaser.Sprite.html">Sprite</a></li> <li class="class-depth-1"><a href="Phaser.Image.html">Image</a></li> <li class="class-depth-1"><a href="Phaser.Sound.html">Sound</a></li> <li class="class-depth-1"><a href="Phaser.Video.html">Video</a></li> <li class="class-depth-1"><a href="Phaser.Particles.Arcade.Emitter.html">Particle Emitter</a></li> <li class="class-depth-1"><a href="Phaser.Particle.html">Particle</a></li> <li class="class-depth-1"><a href="Phaser.Text.html">Text</a></li> <li class="class-depth-1"><a href="Phaser.Tween.html">Tween</a></li> <li class="class-depth-1"><a href="Phaser.BitmapText.html">BitmapText</a></li> <li class="class-depth-1"><a href="Phaser.Tilemap.html">Tilemap</a></li> <li class="class-depth-1"><a href="Phaser.BitmapData.html">BitmapData</a></li> <li class="class-depth-1"><a href="Phaser.RetroFont.html">RetroFont</a></li> <li class="class-depth-1"><a href="Phaser.Button.html">Button</a></li> <li class="class-depth-1"><a href="Phaser.Animation.html">Animation</a></li> <li class="class-depth-1"><a href="Phaser.Graphics.html">Graphics</a></li> <li class="class-depth-1"><a href="Phaser.RenderTexture.html">RenderTexture</a></li> <li class="class-depth-1"><a href="Phaser.TileSprite.html">TileSprite</a></li> </ul> </li> <li class="dropdown"> <a href="#" class="dropdown-toggle" data-toggle="dropdown">Geometry<b class="caret"></b></a> <ul class="dropdown-menu "> <li class="class-depth-1"><a href="Phaser.Circle.html">Circle</a></li> <li class="class-depth-1"><a href="Phaser.Ellipse.html">Ellipse</a></li> <li class="class-depth-1"><a href="Phaser.Line.html">Line</a></li> <li class="class-depth-1"><a href="Phaser.Matrix.html">Matrix</a></li> <li class="class-depth-1"><a href="Phaser.Point.html">Point</a></li> <li class="class-depth-1"><a href="Phaser.Polygon.html">Polygon</a></li> <li class="class-depth-1"><a href="Phaser.Rectangle.html">Rectangle</a></li> <li class="class-depth-1"><a href="Phaser.RoundedRectangle.html">Rounded Rectangle</a></li> </ul> </li> <li class="dropdown"> <a href="#" class="dropdown-toggle" data-toggle="dropdown">Physics<b class="caret"></b></a> <ul class="dropdown-menu "> <li class="class-depth-1"><a href="Phaser.Physics.Arcade.html">Arcade Physics</a></li> <li class="class-depth-2"><a href="Phaser.Physics.Arcade.Body.html">Body</a></li> <li class="class-depth-2"><a href="Phaser.Weapon.html">Weapon</a></li> <li class="class-depth-1"><a href="Phaser.Physics.P2.html">P2 Physics</a></li> <li class="class-depth-2"><a href="Phaser.Physics.P2.Body.html">Body</a></li> <li class="class-depth-2"><a href="Phaser.Physics.P2.Spring.html">Spring</a></li> <li class="class-depth-2"><a href="Phaser.Physics.P2.CollisionGroup.html">CollisionGroup</a></li> <li class="class-depth-2"><a href="Phaser.Physics.P2.ContactMaterial.html">ContactMaterial</a></li> <li class="class-depth-1"><a href="Phaser.Physics.Ninja.html">Ninja Physics</a></li> <li class="class-depth-2"><a href="Phaser.Physics.Body.html">Body</a></li> </ul> </li> <li class="dropdown"> <a href="#" class="dropdown-toggle" data-toggle="dropdown">Input<b class="caret"></b></a> <ul class="dropdown-menu "> <li class="class-depth-1"><a href="Phaser.InputHandler.html">Input Handler</a></li> <li class="class-depth-1"><a href="Phaser.Pointer.html">Pointer</a></li> <li class="class-depth-1"><a href="Phaser.DeviceButton.html">Device Button</a></li> <li class="class-depth-1"><a href="Phaser.Mouse.html">Mouse</a></li> <li class="class-depth-1"><a href="Phaser.Keyboard.html">Keyboard</a></li> <li class="class-depth-1"><a href="Phaser.Key.html">Key</a></li> <li class="class-depth-1"><a href="Phaser.KeyCode.html">Key Codes</a></li> <li class="class-depth-1"><a href="Phaser.Gamepad.html">Gamepad</a></li> </ul> </li> <li class="dropdown"> <a href="#" class="dropdown-toggle" data-toggle="dropdown">Community<b class="caret"></b></a> <ul class="dropdown-menu "> <li class="class-depth-1"><a href="http://phaser.io">Phaser Web Site</a></li> <li class="class-depth-1"><a href="https://github.com/photonstorm/phaser">Phaser Github</a></li> <li class="class-depth-1"><a href="http://phaser.io/examples">Phaser Examples</a></li> <li class="class-depth-1"><a href="https://github.com/photonstorm/phaser-plugins">Phaser Plugins</a></li> <li class="class-depth-1"><a href="http://www.html5gamedevs.com/forum/14-phaser/">Forum</a></li> <li class="class-depth-1"><a href="http://stackoverflow.com/questions/tagged/phaser-framework">Stack Overflow</a></li> <li class="class-depth-1"><a href="http://phaser.io/learn">Tutorials</a></li> <li class="class-depth-1"><a href="http://phaser.io/community/newsletter">Newsletter</a></li> <li class="class-depth-1"><a href="http://phaser.io/community/twitter">Twitter</a></li> <li class="class-depth-1"><a href="http://phaser.io/community/slack">Slack</a></li> <li class="class-depth-1"><a href="http://phaser.io/community/donate">Donate</a></li> <li class="class-depth-1"><a href="https://www.codeandweb.com/texturepacker/phaser">Texture Packer</a></li> </ul> </li> </ul> </div> </div> <div class="row-fluid"> <div class="span8"> <div id="main"> <!--<h1 class="page-title">Class: InWorld</h1>--> <section> <header> <h2> <span class="ancestors"><a href="Phaser.html">Phaser</a><a href="Phaser.html#.Component">.Component</a>.</span> InWorld </h2> </header> <article> <div class="container-overview"> <dt> <h4 class="name " id="InWorld"><span class="type-signature"></span>new InWorld<span class="signature">()</span><span class="type-signature"></span></h4> </dt> <dd> <div class="description"> <p>The InWorld component checks if a Game Object is within the Game World Bounds.<br>An object is considered as being &quot;in bounds&quot; so long as its own bounds intersects at any point with the World bounds.<br>If the AutoCull component is enabled on the Game Object then it will check the Game Object against the Camera bounds as well.</p> </div> <dl class="details"> <dt class="tag-source">Source - <a href="src_gameobjects_components_InWorld.js.html">gameobjects/components/InWorld.js</a>, <a href="src_gameobjects_components_InWorld.js.html#sunlight-1-line-14">line 14</a> </dt> </dl> </dd> </div> <h3 class="subsection-title">Members</h3> <dl> <dt> <h4 class="name " id="checkWorldBounds"><span class="type-signature"></span>checkWorldBounds<span class="type-signature"> :boolean</span></h4> </dt> <dd> <div class="description"> <p>If this is set to <code>true</code> the Game Object checks if it is within the World bounds each frame. </p> <p>When it is no longer intersecting the world bounds it dispatches the <code>onOutOfBounds</code> event.</p> <p>If it was <em>previously</em> out of bounds but is now intersecting the world bounds again it dispatches the <code>onEnterBounds</code> event.</p> <p>It also optionally kills the Game Object if <code>outOfBoundsKill</code> is <code>true</code>.</p> <p>When <code>checkWorldBounds</code> is enabled it forces the Game Object to calculate its full bounds every frame.</p> <p>This is a relatively expensive operation, especially if enabled on hundreds of Game Objects. So enable it only if you know it's required,<br>or you have tested performance and find it acceptable.</p> </div> <dl class="details"> <dt class="tag-source">Source - <a href="src_gameobjects_components_InWorld.js.html">gameobjects/components/InWorld.js</a>, <a href="src_gameobjects_components_InWorld.js.html#sunlight-1-line-98">line 98</a> </dt> </dl> </dd> <dt> <h4 class="name " id="inWorld"><span class="type-signature">&lt;readonly> </span>inWorld<span class="type-signature"> :boolean</span></h4> </dt> <dd> <div class="description"> <p>Checks if the Game Objects bounds are within, or intersect at any point with the Game World bounds.</p> </div> <dl class="details"> <dt class="tag-source">Source - <a href="src_gameobjects_components_InWorld.js.html">gameobjects/components/InWorld.js</a>, <a href="src_gameobjects_components_InWorld.js.html#sunlight-1-line-129">line 129</a> </dt> </dl> </dd> <dt> <h4 class="name " id="outOfBoundsKill"><span class="type-signature"></span>outOfBoundsKill<span class="type-signature"> :boolean</span></h4> </dt> <dd> <div class="description"> <p>If this and the <code>checkWorldBounds</code> property are both set to <code>true</code> then the <code>kill</code> method is called as soon as <code>inWorld</code> returns false.</p> </div> <dl class="details"> <dt class="tag-source">Source - <a href="src_gameobjects_components_InWorld.js.html">gameobjects/components/InWorld.js</a>, <a href="src_gameobjects_components_InWorld.js.html#sunlight-1-line-106">line 106</a> </dt> </dl> </dd> <dt> <h4 class="name " id="outOfCameraBoundsKill"><span class="type-signature"></span>outOfCameraBoundsKill<span class="type-signature"> :boolean</span></h4> </dt> <dd> <div class="description"> <p>If this and the <code>autoCull</code> property are both set to <code>true</code>, then the <code>kill</code> method<br>is called as soon as the Game Object leaves the camera bounds.</p> </div> <dl class="details"> <dt class="tag-source">Source - <a href="src_gameobjects_components_InWorld.js.html">gameobjects/components/InWorld.js</a>, <a href="src_gameobjects_components_InWorld.js.html#sunlight-1-line-115">line 115</a> </dt> </dl> </dd> </dl> <h3 class="subsection-title">Methods</h3> <dl> <dt> <h4 class="name " id=".preUpdate"><span class="type-signature">&lt;static> </span>preUpdate<span class="signature">()</span><span class="type-signature"></span></h4> </dt> <dd> <div class="description"> <p>The InWorld component preUpdate handler.<br>Called automatically by the Game Object.</p> </div> <dl class="details"> <dt class="tag-source">Source - <a href="src_gameobjects_components_InWorld.js.html">gameobjects/components/InWorld.js</a>, <a href="src_gameobjects_components_InWorld.js.html#sunlight-1-line-22">line 22</a> </dt> </dl> </dd> </dl> </article> </section> </div> <div class="clearfix"></div> <footer> <span class="copyright"> Phaser Copyright © 2012-2016 Photon Storm Ltd. </span> <br /> <span class="jsdoc-message"> Documentation generated by <a href="https://github.com/jsdoc3/jsdoc">JSDoc 3.4.3</a> on Thu Apr 13 2017 12:05:08 GMT-0700 (PDT) using the <a href="https://github.com/terryweiss/docstrap">DocStrap template</a>. </span> </footer> </div> <div class="span3"> <div id="toc"></div> </div> <br clear="both"> </div> </div> <script src="scripts/sunlight.js"></script> <script src="scripts/sunlight.javascript.js"></script> <script src="scripts/sunlight-plugin.doclinks.js"></script> <script src="scripts/sunlight-plugin.linenumbers.js"></script> <script src="scripts/sunlight-plugin.menu.js"></script> <script src="scripts/jquery.min.js"></script> <script src="scripts/jquery.scrollTo.js"></script> <script src="scripts/jquery.localScroll.js"></script> <script src="scripts/bootstrap-dropdown.js"></script> <script src="scripts/toc.js"></script> <script> Sunlight.highlightAll({lineNumbers:true, showMenu: true, enableDoclinks :true}); </script> <script> $( function () { $( "#toc" ).toc( { anchorName : function(i, heading, prefix) { return $(heading).attr("id") || ( prefix + i ); }, selectors : "h1,h2,h3,h4", showAndHide : false, scrollTo : 60 } ); $( "#toc>ul" ).addClass( "nav nav-pills nav-stacked" ); $( "#main span[id^='toc']" ).addClass( "toc-shim" ); } ); </script> </body> </html>
{ "content_hash": "5fea4209a3131b1defb6edd0c3cf74b4", "timestamp": "", "source": "github", "line_count": 1868, "max_line_length": 353, "avg_line_length": 26.195396145610278, "alnum_prop": 0.5471358796722049, "repo_name": "samme/phaser-ce", "id": "ff0f226ed1aa2fd4b0ef74706c0d6d3903dc34e0", "size": "48934", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "docs/Phaser.Component.InWorld.html", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "197804" }, { "name": "HTML", "bytes": "164563" }, { "name": "JavaScript", "bytes": "20605668" }, { "name": "PHP", "bytes": "87936" } ], "symlink_target": "" }
#include <shogun/distributions/KernelDensity.h> #include <shogun/features/DenseFeatures.h> #include <shogun/multiclass/tree/KDTree.h> #include <shogun/multiclass/tree/BallTree.h> using namespace shogun; CKernelDensity::CKernelDensity(float64_t bandwidth, EKernelType kernel, EDistanceType dist, EEvaluationMode eval, int32_t leaf_size, float64_t atol, float64_t rtol) : CDistribution() { init(); m_bandwidth=bandwidth; m_eval=eval; m_leaf_size=leaf_size; m_atol=atol; m_rtol=rtol; m_dist=dist; m_kernel_type=kernel; } CKernelDensity::~CKernelDensity() { SG_UNREF(tree); } bool CKernelDensity::train(CFeatures* data) { REQUIRE(data,"Data not supplied\n") CDenseFeatures<float64_t>* dense_data=data->as<CDenseFeatures<float64_t>>(); SG_UNREF(tree); switch (m_eval) { case EM_KDTREE_SINGLE: { tree=new CKDTree(m_leaf_size,m_dist); break; } case EM_BALLTREE_SINGLE: { tree=new CBallTree(m_leaf_size,m_dist); break; } case EM_KDTREE_DUAL: { tree=new CKDTree(m_leaf_size,m_dist); break; } case EM_BALLTREE_DUAL: { tree=new CBallTree(m_leaf_size,m_dist); break; } default: { SG_ERROR("Evaluation mode not recognized\n"); } } tree->build_tree(dense_data); return true; } SGVector<float64_t> CKernelDensity::get_log_density(CDenseFeatures<float64_t>* test, int32_t leaf_size) { REQUIRE(test,"data not supplied\n") if ((m_eval==EM_KDTREE_SINGLE) || (m_eval==EM_BALLTREE_SINGLE)) return tree->log_kernel_density(test->get_feature_matrix(),m_kernel_type,m_bandwidth,m_atol,m_rtol); CNbodyTree* query_tree=NULL; if (m_eval==EM_KDTREE_DUAL) query_tree=new CKDTree(leaf_size,m_dist); else if (m_eval==EM_BALLTREE_DUAL) query_tree=new CBallTree(leaf_size,m_dist); else SG_ERROR("Evaluation mode not identified\n"); query_tree->build_tree(test); CBinaryTreeMachineNode<NbodyTreeNodeData>* qroot=NULL; CTreeMachineNode<NbodyTreeNodeData>* root=query_tree->get_root(); if (root) qroot=dynamic_cast<CBinaryTreeMachineNode<NbodyTreeNodeData>*>(root); else SG_ERROR("Query tree root not found!\n") SGVector<index_t> qid=query_tree->get_rearranged_vector_ids(); SGVector<float64_t> ret=tree->log_kernel_density_dual(test->get_feature_matrix(),qid,qroot,m_kernel_type,m_bandwidth,m_atol,m_rtol); SG_UNREF(root); SG_UNREF(query_tree); return ret; } int32_t CKernelDensity::get_num_model_parameters() { SG_NOTIMPLEMENTED; return 0; } float64_t CKernelDensity::get_log_model_parameter(int32_t num_param) { SG_NOTIMPLEMENTED; return 0; } float64_t CKernelDensity::get_log_derivative(int32_t num_param, int32_t num_example) { SG_NOTIMPLEMENTED; return 0; } float64_t CKernelDensity::get_log_likelihood_example(int32_t num_example) { SG_NOTIMPLEMENTED; return 0; } void CKernelDensity::init() { m_bandwidth=1.0; m_eval=EM_KDTREE_SINGLE; m_kernel_type=K_GAUSSIAN; m_dist=D_EUCLIDEAN; m_leaf_size=1; m_atol=0; m_rtol=0; tree=NULL; SG_ADD(&m_bandwidth,"m_bandwidth","bandwidth"); SG_ADD(&m_leaf_size,"m_leaf_size","leaf size"); SG_ADD(&m_atol,"m_atol","absolute tolerance"); SG_ADD(&m_rtol,"m_rtol","relative tolerance"); SG_ADD((CSGObject**) &tree,"tree","tree"); }
{ "content_hash": "dd18d04d80cf64cc8a9c1afc2a7e5c27", "timestamp": "", "source": "github", "line_count": 139, "max_line_length": 164, "avg_line_length": 22.863309352517987, "alnum_prop": 0.7146003775959723, "repo_name": "lisitsyn/shogun", "id": "f75dd2951c820ae283549dea2dc8e7bb04bbfc9a", "size": "4823", "binary": false, "copies": "3", "ref": "refs/heads/develop", "path": "src/shogun/distributions/KernelDensity.cpp", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "Batchfile", "bytes": "568" }, { "name": "C", "bytes": "12000" }, { "name": "C++", "bytes": "10557466" }, { "name": "CMake", "bytes": "195345" }, { "name": "Dockerfile", "bytes": "2029" }, { "name": "GDB", "bytes": "89" }, { "name": "HTML", "bytes": "2066" }, { "name": "MATLAB", "bytes": "8755" }, { "name": "Makefile", "bytes": "244" }, { "name": "Python", "bytes": "285072" }, { "name": "Shell", "bytes": "11995" } ], "symlink_target": "" }
Як правильно використати [наслідок](../concept/Consequence.md#наслідок) у рутинах, що приймають як аргумент callback функцію. У JavaScript дуже поширеним є використання callback функції в якості параметра іншої. Це робиться для того, щоб викликати callback з передачею в неї(або без) результату виконання рутини, у яку вона була передана як параметр. ```js let Dns = require( 'dns' ); let uri = 'google.com'; Dns.resolve4( uri, callback ); // logs - Ips of google.com are ["172.217.16.14"] function callback( err, addresses ) { if( err ) console.log( err ); console.log( `Ips of ${uri} are ${JSON.stringify( addresses )}` ); } ``` Рутина `resolve4`, як результат свого виконання передає у передану їй рутину `callback` помилку або результат та викликає її. Тепер реалізуємо аналогічну логіку з допомогою `наслідку`. ```js let conseuqence = new _.Consequence(); Dns.resolve4( uri, conseuqence ); conseuqence.thenGive( ( addresses ) => console.log( `Ips of ${uri} are ${JSON.stringify( addresses )}` ) ); ``` В даному прикладі ми передали в якості callback - об'єкт класу `Consequence`. Він є тимчасовим контейнером для даних, що мали передатись як параметр у callback функцію. Тобто по завершенню роботи рутини `resolve4`, у `наслідок` передасться або аргумент `addresses` або помилка `err`, які далі можливо опрацювати в рутинах-конкурентах цього `наслідку`. У прикладі такою є `thenGive`. Часто використовується [черга конкурентів](./CompetitorsQue.md#черга-конкурентів), що дозволяє послідовно опрацювати отримані дані. [Повернутись до змісту](../README.md#туторіали)
{ "content_hash": "38e576495a026d5ef35c1e191cb9fe51", "timestamp": "", "source": "github", "line_count": 39, "max_line_length": 168, "avg_line_length": 40.717948717948715, "alnum_prop": 0.75, "repo_name": "Wandalen/wConsequence", "id": "6f4052189606b8a79a180739da0411a91cc8e1bb", "size": "2393", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "doc/ukr/tutorial/ReplacingCallbackByConsequence.md", "mode": "33188", "license": "mit", "language": [ { "name": "JavaScript", "bytes": "1028798" } ], "symlink_target": "" }
namespace pysmall { class IntObject : public Object { int value_{}; TypeObject* set_objecttype(void); public: IntObject(int v = 0); }; }
{ "content_hash": "91cc063f3e8eefc3e9a970481e39f398", "timestamp": "", "source": "github", "line_count": 11, "max_line_length": 35, "avg_line_length": 13.272727272727273, "alnum_prop": 0.6643835616438356, "repo_name": "ASMlover/study", "id": "10bd077003ca9512ec17c8d383e560d3d9e777a4", "size": "1560", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "reading-notes/PythonCore/pysmall/pysmall_intobject.h", "mode": "33188", "license": "bsd-2-clause", "language": [ { "name": "Assembly", "bytes": "3055440" }, { "name": "Batchfile", "bytes": "4662" }, { "name": "Brainfuck", "bytes": "571" }, { "name": "C", "bytes": "13569580" }, { "name": "C#", "bytes": "3959" }, { "name": "C++", "bytes": "14741264" }, { "name": "CMake", "bytes": "543917" }, { "name": "CSS", "bytes": "11505" }, { "name": "Common Lisp", "bytes": "114" }, { "name": "Emacs Lisp", "bytes": "6042" }, { "name": "Go", "bytes": "105203" }, { "name": "Groovy", "bytes": "2907" }, { "name": "HTML", "bytes": "911945" }, { "name": "Lex", "bytes": "9370" }, { "name": "Lua", "bytes": "32829" }, { "name": "Makefile", "bytes": "1000611" }, { "name": "NASL", "bytes": "3609" }, { "name": "NewLisp", "bytes": "5805" }, { "name": "Perl", "bytes": "594" }, { "name": "Python", "bytes": "2752752" }, { "name": "SWIG", "bytes": "91" }, { "name": "Shell", "bytes": "9993" }, { "name": "Vim script", "bytes": "92204" }, { "name": "Yacc", "bytes": "6278" } ], "symlink_target": "" }
package com.google.cloud.tools.io; import java.io.IOException; import java.nio.file.AccessDeniedException; import java.nio.file.Files; import java.nio.file.NotDirectoryException; import java.nio.file.Path; import java.nio.file.Paths; import org.junit.Assert; import org.junit.Assume; import org.junit.Before; import org.junit.Test; public class FilePermissionsTest { private Path parent; @Before public void setUp() throws IOException { parent = Files.createTempDirectory("foo"); } @Test public void testNullDirectory() throws AccessDeniedException, NotDirectoryException { try { FilePermissions.verifyDirectoryCreatable(null); Assert.fail(); } catch (NullPointerException ex) { Assert.assertNotNull(ex.getMessage()); } } @Test public void testDirectoryCanBeCreated() throws IOException { FilePermissions.verifyDirectoryCreatable(Paths.get(parent.toString(), "bar")); } @Test public void testSubDirectoryCanBeCreated() throws IOException { FilePermissions.verifyDirectoryCreatable(Paths.get(parent.toString(), "bar", "baz")); } @Test // Non-Windows only public void testSubDirectoryCannotBeCreatedInDevNull() { Assume.assumeTrue(!System.getProperty("os.name").startsWith("Windows")); try { FilePermissions.verifyDirectoryCreatable(Paths.get("/dev/null/foo/bar")); Assert.fail("Can create directory in /dev/null"); } catch (IOException ex) { Assert.assertNotNull(ex.getMessage()); Assert.assertTrue(ex.getMessage(), ex.getMessage().contains("/dev/null")); } } @Test public void testDirectoryCannotBeCreatedDueToPreexistingFile() throws IOException { Path file = Files.createTempFile(parent, "prefix", "suffix"); try { FilePermissions.verifyDirectoryCreatable(file); Assert.fail("Can create directory over file"); } catch (NotDirectoryException ex) { Assert.assertNotNull(ex.getMessage()); Assert.assertTrue(ex.getMessage().contains(file.getFileName().toString())); } } @Test public void testSubDirectoryCannotBeCreatedDueToPreexistingFile() throws IOException { Path file = Files.createTempFile(parent, "prefix", "suffix"); try { FilePermissions.verifyDirectoryCreatable(Paths.get(file.toString(), "bar", "baz")); Assert.fail("Can create directory over file"); } catch (NotDirectoryException ex) { Assert.assertNotNull(ex.getMessage()); Assert.assertTrue(ex.getMessage().contains(file.getFileName().toString())); } } @Test public void testDirectoryCannotBeCreatedDueToUnwritableParent() throws IOException { Path dir = Files.createDirectory(Paths.get(parent.toString(), "child")); Assume.assumeTrue(dir.toFile().setWritable(false)); // On windows this isn't true dir.toFile().setWritable(false); try { FilePermissions.verifyDirectoryCreatable(Paths.get(dir.toString(), "bar")); Assert.fail("Can create directory in non-writable parent"); } catch (AccessDeniedException ex) { Assert.assertNotNull(ex.getMessage()); Assert.assertTrue(ex.getMessage().contains(dir.getFileName().toString())); } } @Test public void testRootNotWritable() throws IOException { Assume.assumeFalse(Files.isWritable(Paths.get("/"))); try { FilePermissions.verifyDirectoryCreatable(Paths.get("/bar")); Assert.fail("Can create directory in root"); } catch (AccessDeniedException ex) { Assert.assertNotNull(ex.getMessage()); Assert.assertEquals("/ is not writable", ex.getMessage()); } } }
{ "content_hash": "adc30efa498abc98c527307fcd090ca9", "timestamp": "", "source": "github", "line_count": 106, "max_line_length": 89, "avg_line_length": 33.77358490566038, "alnum_prop": 0.7139664804469273, "repo_name": "GoogleCloudPlatform/appengine-plugins-core", "id": "c1f7754412eb09d92b6e34bafd25e66e232cb45a", "size": "4174", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/test/java/com/google/cloud/tools/io/FilePermissionsTest.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "369" }, { "name": "Java", "bytes": "674879" }, { "name": "Shell", "bytes": "1102" } ], "symlink_target": "" }
@implementation LGAlertViewButton - (instancetype)init { self = [super init]; if (self) { self.backgroundColor = UIColor.clearColor; self.titleLabel.backgroundColor = UIColor.clearColor; self.imageView.backgroundColor = UIColor.clearColor; self.contentEdgeInsets = UIEdgeInsetsMake(LGAlertViewPaddingHeight, LGAlertViewPaddingWidth, LGAlertViewPaddingHeight, LGAlertViewPaddingWidth); self.contentHorizontalAlignment = UIControlContentHorizontalAlignmentCenter; self.contentVerticalAlignment = UIControlContentVerticalAlignmentCenter; self.adjustsImageWhenHighlighted = NO; self.adjustsImageWhenDisabled = NO; } return self; } - (void)layoutSubviews { [super layoutSubviews]; if (!self.imageView.image || !self.titleLabel.text.length) { return; } CGRect imageViewFrame = self.imageView.frame; CGRect titleLabelFrame = self.titleLabel.frame; if (self.iconPosition == LGAlertViewButtonIconPositionLeft) { if (self.titleLabel.textAlignment == NSTextAlignmentLeft) { imageViewFrame.origin.x = self.contentEdgeInsets.left; titleLabelFrame.origin.x = CGRectGetMaxX(imageViewFrame) + LGAlertViewButtonImageOffsetFromTitle; } else if (self.titleLabel.textAlignment == NSTextAlignmentRight) { imageViewFrame.origin.x = self.contentEdgeInsets.left; titleLabelFrame.origin.x = CGRectGetWidth(self.bounds) - self.contentEdgeInsets.right; } else { imageViewFrame.origin.x -= LGAlertViewButtonImageOffsetFromTitle / 2.0; titleLabelFrame.origin.x += LGAlertViewButtonImageOffsetFromTitle / 2.0; } } else { if (self.titleLabel.textAlignment == NSTextAlignmentLeft) { titleLabelFrame.origin.x = self.contentEdgeInsets.left; imageViewFrame.origin.x = CGRectGetWidth(self.bounds) - self.contentEdgeInsets.right - CGRectGetWidth(imageViewFrame); } else if (self.titleLabel.textAlignment == NSTextAlignmentRight) { imageViewFrame.origin.x = CGRectGetWidth(self.bounds) - self.contentEdgeInsets.right - CGRectGetWidth(imageViewFrame); titleLabelFrame.origin.x = CGRectGetMinX(imageViewFrame) - LGAlertViewButtonImageOffsetFromTitle - CGRectGetWidth(titleLabelFrame); } else { imageViewFrame.origin.x += CGRectGetWidth(titleLabelFrame) + (LGAlertViewButtonImageOffsetFromTitle / 2.0); titleLabelFrame.origin.x -= CGRectGetWidth(imageViewFrame) + (LGAlertViewButtonImageOffsetFromTitle / 2.0); } } if (LGAlertViewHelper.isNotRetina) { imageViewFrame = CGRectIntegral(imageViewFrame); } self.imageView.frame = imageViewFrame; if (LGAlertViewHelper.isNotRetina) { titleLabelFrame = CGRectIntegral(imageViewFrame); } self.titleLabel.frame = titleLabelFrame; } - (void)setBackgroundColor:(UIColor *)color forState:(UIControlState)state { [self setBackgroundImage:[LGAlertViewHelper image1x1WithColor:color] forState:state]; } @end
{ "content_hash": "d0799187c788bbf43f7a75ea863a72a9", "timestamp": "", "source": "github", "line_count": 80, "max_line_length": 143, "avg_line_length": 40.9375, "alnum_prop": 0.6787786259541985, "repo_name": "NUKisZ/MyTools", "id": "5f097ee1f235f9d9a5438cd9961f12de11aca98f", "size": "4616", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "MyTools/MyTools/ThirdLibrary/LGAlertView/LGAlertViewButton.m", "mode": "33261", "license": "mit", "language": [ { "name": "C", "bytes": "2916" }, { "name": "Objective-C", "bytes": "1494195" }, { "name": "Swift", "bytes": "1424040" } ], "symlink_target": "" }
using LinqToTwitter; using Microsoft.VisualStudio.TestTools.UnitTesting; using System; using System.Diagnostics.CodeAnalysis; using Twice.Models.Twitter.Comparers; namespace Twice.Tests.Models.Twitter.Comparers { [TestClass, ExcludeFromCodeCoverage] public class StatusComparerTests { [TestMethod, TestCategory( "Models.Twitter.Comparers" )] public void HashCodeForNullThrowsException() { // Arrange var comp = new StatusComparer(); // Act // ReSharper disable once ReturnValueOfPureMethodIsNotUsed var ex = ExceptionAssert.Catch<ArgumentNullException>( () => comp.GetHashCode( null ) ); // Assert Assert.IsNotNull( ex ); } [TestMethod, TestCategory( "Models.Twitter.Comparers" )] public void HashCodeForObjectIsCalculatedCorrectly() { // Arrange var comp = new StatusComparer(); var entity = new Status { ID = 123 }; // Act var hash = comp.GetHashCode( entity ); // Assert Assert.AreEqual( entity.ID.GetHashCode(), hash ); } [TestMethod, TestCategory( "Models.Twitter.Comparers" )] public void StatusIsComparedBasedOnId() { // Arrange var comp = new StatusComparer(); var a = new Status { ID = 123 }; var b = new Status { ID = 123 }; var c = new Status { ID = 111 }; // Act var ab = comp.Equals( a, b ); var ba = comp.Equals( b, a ); var ac = comp.Equals( a, c ); // Assert Assert.IsTrue( ab ); Assert.IsTrue( ba ); Assert.IsFalse( ac ); } } }
{ "content_hash": "339679c59d1902b46a8e724f51964499", "timestamp": "", "source": "github", "line_count": 72, "max_line_length": 91, "avg_line_length": 20.86111111111111, "alnum_prop": 0.6584553928095872, "repo_name": "TheSylence/Twice", "id": "63988b74c42b3b3feb99f1612244ab212a6d5281", "size": "1502", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "Twice.Tests/Models/Twitter/Comparers/StatusComparerTests.cs", "mode": "33188", "license": "mit", "language": [ { "name": "C#", "bytes": "1006945" }, { "name": "PowerShell", "bytes": "374" } ], "symlink_target": "" }
class CloudTenant < ApplicationRecord include CloudTenancyMixin TENANT_MAPPING_ASSOCIATIONS = %i(vms_and_templates).freeze include NewWithTypeStiMixin include CustomActionsMixin include ExternalUrlMixin extend ActsAsTree::TreeWalker belongs_to :ext_management_system, :foreign_key => "ems_id" has_one :source_tenant, :as => :source, :class_name => 'Tenant' has_many :security_groups has_many :security_policies has_many :cloud_networks has_many :cloud_subnets has_many :network_ports has_many :network_routers has_many :network_services has_many :vms, -> { active } has_many :vms_and_templates has_many :miq_templates has_many :floating_ips has_many :cloud_volumes has_many :cloud_volume_backups has_many :cloud_volume_snapshots has_many :cloud_object_store_containers has_many :cloud_object_store_objects has_many :cloud_resource_quotas has_many :cloud_tenant_flavors, :dependent => :destroy has_many :flavors, :through => :cloud_tenant_flavors has_many :cloud_volume_types, :through => :ext_management_system alias_method :direct_cloud_networks, :cloud_networks acts_as_miq_taggable acts_as_tree :order => 'name' virtual_total :total_vms, :vms def self.class_by_ems(ext_management_system) ext_management_system && ext_management_system.class::CloudTenant end def self.create_cloud_tenant(ems_id, options = {}) ext_management_system = ExtManagementSystem.find_by(:id => ems_id) raise ArgumentError, _("ext_management_system cannot be nil") if ext_management_system.nil? klass = class_by_ems(ext_management_system) klass.raw_create_cloud_tenant(ext_management_system, options) end def self.raw_create_cloud_tenant(_ext_management_system, _options = {}) raise NotImplementedError, _("raw_create_cloud_tenant must be implemented in a subclass") end # Create a cloud tenant as a queued task and return the task id. The queue # name and the queue zone are derived from the provided EMS instance. The EMS # instance and a userid are mandatory. Any +options+ are forwarded as # arguments to the +create_cloud_tenant+ method. # def self.create_cloud_tenant_queue(userid, ext_management_system, options = {}) task_opts = { :action => "creating Cloud Tenant for user #{userid}", :userid => userid } queue_opts = { :class_name => class_by_ems(ext_management_system).name, :method_name => 'create_cloud_tenant', :priority => MiqQueue::HIGH_PRIORITY, :role => 'ems_operations', :queue_name => ext_management_system.queue_name_for_ems_operations, :zone => ext_management_system.my_zone, :args => [ext_management_system.id, options] } MiqTask.generic_action_with_callback(task_opts, queue_opts) end def update_cloud_tenant(options = {}) raw_update_cloud_tenant(options) end def raw_update_cloud_tenant(_options = {}) raise NotImplementedError, _("raw_update_cloud_tenant must be implemented in a subclass") end # Update a cloud tenant as a queued task and return the task id. The queue # name and the queue zone are derived from the EMS, and a userid is mandatory. # def update_cloud_tenant_queue(userid, options = {}) task_opts = { :action => "updating Cloud Tenant for user #{userid}", :userid => userid } queue_opts = { :class_name => self.class.name, :method_name => 'update_cloud_tenant', :instance_id => id, :priority => MiqQueue::HIGH_PRIORITY, :role => 'ems_operations', :queue_name => ext_management_system.queue_name_for_ems_operations, :zone => ext_management_system.my_zone, :args => [options] } MiqTask.generic_action_with_callback(task_opts, queue_opts) end def delete_cloud_tenant raw_delete_cloud_tenant end def raw_delete_cloud_tenant raise NotImplementedError, _("raw_delete_cloud_tenant must be implemented in a subclass") end # Delete a cloud tenant as a queued task and return the task id. The queue # name and the queue zone are derived from the EMS, and a userid is mandatory. # def delete_cloud_tenant_queue(userid) task_opts = { :action => "deleting Cloud Tenant for user #{userid}", :userid => userid } queue_opts = { :class_name => self.class.name, :method_name => 'delete_cloud_tenant', :instance_id => id, :priority => MiqQueue::HIGH_PRIORITY, :role => 'ems_operations', :queue_name => ext_management_system.queue_name_for_ems_operations, :zone => ext_management_system.my_zone, :args => [] } MiqTask.generic_action_with_callback(task_opts, queue_opts) end def all_cloud_networks direct_cloud_networks + shared_cloud_networks end def shared_cloud_networks try(:ext_management_system).try(:cloud_networks).try(:where, :shared => true) || [] end def update_source_tenant_associations TENANT_MAPPING_ASSOCIATIONS.each do |tenant_association| custom_update_method = "#{__method__}_for_#{tenant_association}" if respond_to?(custom_update_method) public_send(custom_update_method) end end end def update_source_tenant_associations_for_vms_and_templates vms_and_templates.each do |object| object.miq_group_id = source_tenant.default_miq_group_id object.save! end end def update_source_tenant(tenant_params) _log.info("CloudTenant #{name} has tenant #{source_tenant.name}") _log.info("Updating Tenant #{source_tenant.name} with parameters: #{tenant_params.inspect}") source_tenant.update(tenant_params) end def self.with_ext_management_system(ems_id) where(:ext_management_system => ems_id) end def self.post_refresh_ems(ems_id, _) ems = ExtManagementSystem.find(ems_id) MiqQueue.put_unless_exists( :class_name => ems.class.name, :instance_id => ems_id, :method_name => 'sync_cloud_tenants_with_tenants', :zone => ems.my_zone ) if ems.supports_cloud_tenant_mapping? end def self.tenant_joins_clause(scope) scope.includes(:source_tenant, :ext_management_system) .references(:source_tenant, :ext_management_system) end end
{ "content_hash": "ce52ae67d423045cf7279dd6be8cb101", "timestamp": "", "source": "github", "line_count": 193, "max_line_length": 96, "avg_line_length": 32.89637305699482, "alnum_prop": 0.670971806583714, "repo_name": "jvlcek/manageiq", "id": "5b0dadbcf7c9153be07f3f1fce8a2c4b71e51429", "size": "6349", "binary": false, "copies": "8", "ref": "refs/heads/master", "path": "app/models/cloud_tenant.rb", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "3042" }, { "name": "Dockerfile", "bytes": "890" }, { "name": "HTML", "bytes": "2167" }, { "name": "JavaScript", "bytes": "183" }, { "name": "Ruby", "bytes": "8057870" }, { "name": "Shell", "bytes": "22723" } ], "symlink_target": "" }
package client import ( "github.com/Cloud-Foundations/Dominator/lib/hash" "github.com/Cloud-Foundations/Dominator/lib/srpc" "github.com/Cloud-Foundations/Dominator/proto/imageserver" ) func listUnreferencedObjects(client *srpc.Client) ( map[hash.Hash]uint64, error) { conn, err := client.Call("ImageServer.ListUnreferencedObjects") if err != nil { return nil, err } defer conn.Close() objects := make(map[hash.Hash]uint64) for { var object imageserver.Object if err := conn.Decode(&object); err != nil { return nil, err } if object.Size < 1 { break } objects[object.Hash] = object.Size } return objects, nil }
{ "content_hash": "88986c79b132938bec391782c2b170c9", "timestamp": "", "source": "github", "line_count": 28, "max_line_length": 64, "avg_line_length": 23, "alnum_prop": 0.7111801242236024, "repo_name": "rgooch/Dominator", "id": "e37ed6f4c3fcee66838ca301bcca6a46ff98ee3d", "size": "644", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "imageserver/client/listUnreferencedObjects.go", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "C", "bytes": "814" }, { "name": "Go", "bytes": "2081676" }, { "name": "Makefile", "bytes": "1895" }, { "name": "Shell", "bytes": "33130" } ], "symlink_target": "" }
package net.bitm.modInt.IC2IC2; import ic2.api.item.IC2Items; import cpw.mods.fml.common.registry.GameRegistry; import net.bitm.creativeTab; import net.bitm.items.EUbasicbattery; import net.minecraft.item.Item; import net.minecraft.item.ItemStack; import net.minecraftforge.oredict.ShapedOreRecipe; public class IC2 { public static Item eubasicbettery; public static Item emptyeubasicbattery; public static void addIC2Items(){ eubasicbettery = new EUbasicbattery().setUnlocalizedName("euBasicBattery"); emptyeubasicbattery = new EUbasicbattery().setUnlocalizedName("emptyEUbasicBattery").setCreativeTab(creativeTab.bonetabMachines); GameRegistry.registerItem(eubasicbettery, "euBasicBattery"); GameRegistry.registerItem(emptyeubasicbattery, "emptyEUbasicBattery"); } public static void addRecipes(){ GameRegistry.addRecipe(new ShapedOreRecipe(new ItemStack(emptyeubasicbattery), new Object[]{ " c ", "tvt", "tet", 'c', IC2Items.getItem("insulatedCopperCableItem"),'v', "gemVice", 't', IC2Items.getItem("casingtin"), 'e', "circuitBasic"})); } }
{ "content_hash": "7aff1dc7e85ded5a752e5665affc3bef", "timestamp": "", "source": "github", "line_count": 33, "max_line_length": 137, "avg_line_length": 33, "alnum_prop": 0.7750229568411386, "repo_name": "xbony2/Bitm", "id": "d4d1cc9b289894e0ce586aacbcfc6b07bf19ad3a", "size": "1089", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "src/main/java/net/bitm/modInt/IC2IC2/IC2.java", "mode": "33188", "license": "mit", "language": [ { "name": "Java", "bytes": "173107" } ], "symlink_target": "" }
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <!--NewPage--> <HTML> <HEAD> <!-- Generated by javadoc (build 1.6.0_13) on Wed Aug 05 08:53:18 ICT 2009 --> <META http-equiv="Content-Type" content="text/html; charset=utf8"> <TITLE> Uses of Class org.jgentleframework.core.handling.MustBeImplementedByDefHandling </TITLE> <META NAME="date" CONTENT="2009-08-05"> <LINK REL ="stylesheet" TYPE="text/css" HREF="../../../../../stylesheet.css" TITLE="Style"> <SCRIPT type="text/javascript"> function windowTitle() { if (location.href.indexOf('is-external=true') == -1) { parent.document.title="Uses of Class org.jgentleframework.core.handling.MustBeImplementedByDefHandling"; } } </SCRIPT> <NOSCRIPT> </NOSCRIPT> </HEAD> <BODY BGCOLOR="white" onload="windowTitle();"> <HR> <!-- ========= START OF TOP NAVBAR ======= --> <A NAME="navbar_top"><!-- --></A> <A HREF="#skip-navbar_top" title="Skip navigation links"></A> <TABLE BORDER="0" WIDTH="100%" CELLPADDING="1" CELLSPACING="0" SUMMARY=""> <TR> <TD COLSPAN=2 BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A NAME="navbar_top_firstrow"><!-- --></A> <TABLE BORDER="0" CELLPADDING="0" CELLSPACING="3" SUMMARY=""> <TR ALIGN="center" VALIGN="top"> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../overview-summary.html"><FONT CLASS="NavBarFont1"><B>Overview</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../package-summary.html"><FONT CLASS="NavBarFont1"><B>Package</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../org/jgentleframework/core/handling/MustBeImplementedByDefHandling.html" title="class in org.jgentleframework.core.handling"><FONT CLASS="NavBarFont1"><B>Class</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#FFFFFF" CLASS="NavBarCell1Rev"> &nbsp;<FONT CLASS="NavBarFont1Rev"><B>Use</B></FONT>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../package-tree.html"><FONT CLASS="NavBarFont1"><B>Tree</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../deprecated-list.html"><FONT CLASS="NavBarFont1"><B>Deprecated</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../index-files/index-1.html"><FONT CLASS="NavBarFont1"><B>Index</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../help-doc.html"><FONT CLASS="NavBarFont1"><B>Help</B></FONT></A>&nbsp;</TD> </TR> </TABLE> </TD> <TD ALIGN="right" VALIGN="top" ROWSPAN=3><EM> </EM> </TD> </TR> <TR> <TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2"> &nbsp;PREV&nbsp; &nbsp;NEXT</FONT></TD> <TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2"> <A HREF="../../../../../index.html?org/jgentleframework/core/handling/\class-useMustBeImplementedByDefHandling.html" target="_top"><B>FRAMES</B></A> &nbsp; &nbsp;<A HREF="MustBeImplementedByDefHandling.html" target="_top"><B>NO FRAMES</B></A> &nbsp; &nbsp;<SCRIPT type="text/javascript"> <!-- if(window==top) { document.writeln('<A HREF="../../../../../allclasses-noframe.html"><B>All Classes</B></A>'); } //--> </SCRIPT> <NOSCRIPT> <A HREF="../../../../../allclasses-noframe.html"><B>All Classes</B></A> </NOSCRIPT> </FONT></TD> </TR> </TABLE> <A NAME="skip-navbar_top"></A> <!-- ========= END OF TOP NAVBAR ========= --> <HR> <CENTER> <H2> <B>Uses of Class<br>org.jgentleframework.core.handling.MustBeImplementedByDefHandling</B></H2> </CENTER> No usage of org.jgentleframework.core.handling.MustBeImplementedByDefHandling <P> <HR> <!-- ======= START OF BOTTOM NAVBAR ====== --> <A NAME="navbar_bottom"><!-- --></A> <A HREF="#skip-navbar_bottom" title="Skip navigation links"></A> <TABLE BORDER="0" WIDTH="100%" CELLPADDING="1" CELLSPACING="0" SUMMARY=""> <TR> <TD COLSPAN=2 BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A NAME="navbar_bottom_firstrow"><!-- --></A> <TABLE BORDER="0" CELLPADDING="0" CELLSPACING="3" SUMMARY=""> <TR ALIGN="center" VALIGN="top"> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../overview-summary.html"><FONT CLASS="NavBarFont1"><B>Overview</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../package-summary.html"><FONT CLASS="NavBarFont1"><B>Package</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../org/jgentleframework/core/handling/MustBeImplementedByDefHandling.html" title="class in org.jgentleframework.core.handling"><FONT CLASS="NavBarFont1"><B>Class</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#FFFFFF" CLASS="NavBarCell1Rev"> &nbsp;<FONT CLASS="NavBarFont1Rev"><B>Use</B></FONT>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../package-tree.html"><FONT CLASS="NavBarFont1"><B>Tree</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../deprecated-list.html"><FONT CLASS="NavBarFont1"><B>Deprecated</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../index-files/index-1.html"><FONT CLASS="NavBarFont1"><B>Index</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../help-doc.html"><FONT CLASS="NavBarFont1"><B>Help</B></FONT></A>&nbsp;</TD> </TR> </TABLE> </TD> <TD ALIGN="right" VALIGN="top" ROWSPAN=3><EM> </EM> </TD> </TR> <TR> <TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2"> &nbsp;PREV&nbsp; &nbsp;NEXT</FONT></TD> <TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2"> <A HREF="../../../../../index.html?org/jgentleframework/core/handling/\class-useMustBeImplementedByDefHandling.html" target="_top"><B>FRAMES</B></A> &nbsp; &nbsp;<A HREF="MustBeImplementedByDefHandling.html" target="_top"><B>NO FRAMES</B></A> &nbsp; &nbsp;<SCRIPT type="text/javascript"> <!-- if(window==top) { document.writeln('<A HREF="../../../../../allclasses-noframe.html"><B>All Classes</B></A>'); } //--> </SCRIPT> <NOSCRIPT> <A HREF="../../../../../allclasses-noframe.html"><B>All Classes</B></A> </NOSCRIPT> </FONT></TD> </TR> </TABLE> <A NAME="skip-navbar_bottom"></A> <!-- ======== END OF BOTTOM NAVBAR ======= --> <HR> </BODY> </HTML>
{ "content_hash": "f7217c1e520b6a6b80a69c63285bac7a", "timestamp": "", "source": "github", "line_count": 145, "max_line_length": 256, "avg_line_length": 44.179310344827584, "alnum_prop": 0.6186387761473618, "repo_name": "OldRepoPreservation/jgentle", "id": "f790bf4dec69399ed2464072d42bcfbe6e7b7699", "size": "6406", "binary": false, "copies": "5", "ref": "refs/heads/master", "path": "JGentleProject/doc/org/jgentleframework/core/handling/class-use/MustBeImplementedByDefHandling.html", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "1420" }, { "name": "HTML", "bytes": "20499195" }, { "name": "Java", "bytes": "4562180" }, { "name": "JavaScript", "bytes": "108" } ], "symlink_target": "" }
package uk.ac.ebi.eva.vcfdump.evawsclient; import org.slf4j.Logger; import org.slf4j.LoggerFactory; import org.springframework.web.client.RestTemplate; import org.springframework.web.util.UriComponentsBuilder; import java.net.URISyntaxException; import java.util.Set; public class EvaWsClient { private final String species; private final String url; private final String apiVersion; private static final Logger logger = LoggerFactory.getLogger(EvaWsClient.class); public EvaWsClient(String species, String url, String apiVersion) throws URISyntaxException { this.species = species; this.url = url; this.apiVersion = apiVersion; } public Set<String> getChromosomes() { String uri = UriComponentsBuilder.fromHttpUrl(url + "/" + apiVersion + "/segments") .queryParam("species", species) .toUriString(); RestTemplate restTemplate = new RestTemplate(); EvaWSOutput evaWSOutput = restTemplate.getForObject(uri, EvaWSOutput.class); return evaWSOutput.getChromosomeNames(); } public String getVersion() { return apiVersion; } }
{ "content_hash": "2428247a03b7205e001db013cc530311", "timestamp": "", "source": "github", "line_count": 41, "max_line_length": 91, "avg_line_length": 30, "alnum_prop": 0.6691056910569105, "repo_name": "pabarcgar/eva-tools", "id": "f1c37051355ef321f81db81d1a8e6e1c74903da8", "size": "1854", "binary": false, "copies": "2", "ref": "refs/heads/develop", "path": "vcf-dumper/vcf-dumper-lib/src/main/java/uk/ac/ebi/eva/vcfdump/evawsclient/EvaWsClient.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Java", "bytes": "216464" } ], "symlink_target": "" }
.. Copyright (C) Google, Runestone Interactive LLC This work is licensed under the Creative Commons Attribution-ShareAlike 4.0 International License. To view a copy of this license, visit http://creativecommons.org/licenses/by-sa/4.0/. .. Location of summary document: shorturl.at/mrLNV Summary ======= .. image:: figures/visualizations_summary.png :align: center :alt: Summary for the visualizations section.
{ "content_hash": "c207b4e2965455221090e5a6c9be7a06", "timestamp": "", "source": "github", "line_count": 13, "max_line_length": 78, "avg_line_length": 33, "alnum_prop": 0.7435897435897436, "repo_name": "google/applied-computing-series", "id": "7cd5b4c5ab53e342923449a7c402b8c9b5be3a70", "size": "429", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "ac1/_sources/introduction_to_visualizations/summary.rst", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Python", "bytes": "4836" } ], "symlink_target": "" }
@interface MangoViewController () @property(nonatomic, retain) UITableView *tableview; @end @implementation MangoViewController - (void)viewDidLoad { [super viewDidLoad]; self.title=@"cell"; self.tableview=[[UITableView alloc]initWithFrame:self.view.frame style:UITableViewStylePlain]; self.tableview.dataSource=self; self.tableview.delegate=self; self.tableview.separatorColor=[UIColor blackColor]; [self.view addSubview:self.tableview]; } #pragma mark -----UITableViewDataSource - (NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section{ return 20; } - (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath{ if (indexPath.row % 2 !=0) { //奇数 static NSString *cellID=@"zhang"; FirstTableViewCell *firstcell=[tableView dequeueReusableCellWithIdentifier:cellID]; if (firstcell ==nil) { firstcell=[[FirstTableViewCell alloc]initWithStyle:UITableViewCellStyleSubtitle reuseIdentifier:cellID]; } return firstcell; } //奇数 static NSString *twocellID=@"twoCell"; TwoTableViewCell *twocell=[tableView dequeueReusableCellWithIdentifier:twocellID]; if (twocell ==nil) { twocell=[[TwoTableViewCell alloc]initWithStyle:UITableViewCellStyleSubtitle reuseIdentifier:twocellID]; } return twocell; } - (void)didReceiveMemoryWarning { [super didReceiveMemoryWarning]; // Dispose of any resources that can be recreated. } @end
{ "content_hash": "c513e2131e3ec34e563b6c330587a627", "timestamp": "", "source": "github", "line_count": 70, "max_line_length": 116, "avg_line_length": 23.32857142857143, "alnum_prop": 0.6858542559706062, "repo_name": "788zhang/Music", "id": "b62c7d0533778fb1840e1825f60cf94ad43a4e98", "size": "1873", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "第十一讲 UITableView UItableViewCell副本/UIMixCell/MangoViewController.m", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Objective-C", "bytes": "2051895" }, { "name": "Ruby", "bytes": "107" }, { "name": "Shell", "bytes": "15906" } ], "symlink_target": "" }
<?xml version="1.0" encoding="UTF-8"?> <project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd"> <modelVersion>4.0.0</modelVersion> <parent> <groupId>com.squareup.spoon</groupId> <artifactId>parent</artifactId> <version>1.6.5-SNAPSHOT</version> </parent> <artifactId>spoon-maven-plugin</artifactId> <packaging>maven-plugin</packaging> <name>Spoon Maven Plugin</name> <dependencies> <dependency> <groupId>${project.groupId}</groupId> <artifactId>spoon-runner</artifactId> <version>${project.version}</version> </dependency> <dependency> <groupId>org.apache.maven</groupId> <artifactId>maven-plugin-api</artifactId> </dependency> <dependency> <groupId>org.apache.maven</groupId> <artifactId>maven-core</artifactId> </dependency> <dependency> <groupId>org.apache.maven.plugin-tools</groupId> <artifactId>maven-plugin-annotations</artifactId> <scope>provided</scope> </dependency> </dependencies> <build> <plugins> <plugin> <groupId>org.apache.maven.plugins</groupId> <artifactId>maven-plugin-plugin</artifactId> <executions> <execution> <phase>process-classes</phase> <goals> <goal>descriptor</goal> </goals> </execution> </executions> </plugin> </plugins> </build> </project>
{ "content_hash": "174ab571cea180015d7b0cd1b7f47c4d", "timestamp": "", "source": "github", "line_count": 53, "max_line_length": 204, "avg_line_length": 29.641509433962263, "alnum_prop": 0.6346276257161044, "repo_name": "daj/spoon", "id": "9101178501a1e1094074014d0701fbe4b2f19eda", "size": "1571", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "spoon-maven-plugin/pom.xml", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "17234" }, { "name": "HTML", "bytes": "1863801" }, { "name": "Java", "bytes": "282915" }, { "name": "Shell", "bytes": "2522" } ], "symlink_target": "" }
package gw.lang.parser.statements; import gw.lang.parser.IStatement; import gw.lang.reflect.IType; public interface ITypeLoaderStatement extends IStatement { IType getTypeLoader(); }
{ "content_hash": "db3bbb00d59debf67edffa115543f1e1", "timestamp": "", "source": "github", "line_count": 11, "max_line_length": 56, "avg_line_length": 17.09090909090909, "alnum_prop": 0.8031914893617021, "repo_name": "gosu-lang/gosu-lang", "id": "9a3ed3cfa32f3eac3ae52f60e1cf605100f52367", "size": "237", "binary": false, "copies": "4", "ref": "refs/heads/master", "path": "gosu-core-api/src/main/java/gw/lang/parser/statements/ITypeLoaderStatement.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "10236" }, { "name": "GAP", "bytes": "51837" }, { "name": "Gosu", "bytes": "16976739" }, { "name": "Groovy", "bytes": "22653" }, { "name": "Java", "bytes": "12112134" }, { "name": "JavaScript", "bytes": "921060" }, { "name": "Makefile", "bytes": "6850" }, { "name": "Python", "bytes": "8450" }, { "name": "Roff", "bytes": "345" }, { "name": "Shell", "bytes": "3417" } ], "symlink_target": "" }
import Vue from 'vue' import Vuex from 'vuex' import config from '../config' const { menu, sidebar } = config Vue.use(Vuex) const store = new Vuex.Store({ state: { menu, sidebar }, mutations: { } }) export default store
{ "content_hash": "04328186a1212d4b753b2d6ba1bbf7b7", "timestamp": "", "source": "github", "line_count": 22, "max_line_length": 32, "avg_line_length": 11.090909090909092, "alnum_prop": 0.6270491803278688, "repo_name": "JeOam/vue-admin", "id": "52466d8d1d8da49401dc2ee48281f517feaf0012", "size": "244", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "src/vuex/store.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "579" }, { "name": "HTML", "bytes": "319" }, { "name": "JavaScript", "bytes": "27866" }, { "name": "Vue", "bytes": "116653" } ], "symlink_target": "" }
<?xml version="1.0" encoding="UTF-8"?> <ivy-module version="2.0" xmlns:m="http://ant.apache.org/ivy/maven" xmlns:e="http://ant.apache.org/ivy/extra"> <info organisation="com.typesafe.play" module="play-ws_2.10" revision="2.3.8" status="release" publication="20210429085512" > <license name="Apache-2.0" url="http://www.apache.org/licenses/LICENSE-2.0.html" /> <description homepage="https://playframework.com"> Play-WS </description> <e:sbtTransformHash>7cc66a06320dcd49232914efc7c2b6f4deb47319</e:sbtTransformHash> </info> <configurations> <conf name="default" visibility="public" description="runtime dependencies and master artifact can be used with this conf" extends="runtime,master"/> <conf name="master" visibility="public" description="contains only the artifact published by this module itself, with no transitive dependencies"/> <conf name="compile" visibility="public" description="this is the default scope, used if none is specified. Compile dependencies are available in all classpaths."/> <conf name="provided" visibility="public" description="this is much like compile, but indicates you expect the JDK or a container to provide it. It is only available on the compilation classpath, and is not transitive."/> <conf name="runtime" visibility="public" description="this scope indicates that the dependency is not required for compilation, but is for execution. It is in the runtime and test classpaths, but not the compile classpath." extends="compile"/> <conf name="test" visibility="private" description="this scope indicates that the dependency is not required for normal use of the application, and is only available for the test compilation and execution phases." extends="runtime"/> <conf name="system" visibility="public" description="this scope is similar to provided except that you have to provide the JAR which contains it explicitly. The artifact is always available and is not looked up in a repository."/> <conf name="sources" visibility="public" description="this configuration contains the source artifact of this module, if any."/> <conf name="javadoc" visibility="public" description="this configuration contains the javadoc artifact of this module, if any."/> <conf name="optional" visibility="public" description="contains all optional dependencies"/> </configurations> <publications> <artifact name="play-ws_2.10" type="jar" ext="jar" conf="master"/> </publications> <dependencies> <dependency org="org.scala-lang" name="scala-library" rev="2.10.4" force="true" conf="compile->compile(*),master(compile);runtime->runtime(*)"/> <dependency org="com.typesafe.play" name="play_2.10" rev="2.3.8" force="true" conf="compile->compile(*),master(compile);runtime->runtime(*)"/> <dependency org="com.typesafe.play" name="play-test_2.10" rev="2.3.8" force="true" conf="test->runtime(*),master(compile)"/> <dependency org="com.google.guava" name="guava" rev="16.0.1" force="true" conf="compile->compile(*),master(compile);runtime->runtime(*)"/> <dependency org="com.ning" name="async-http-client" rev="1.8.15" force="true" conf="compile->compile(*),master(compile);runtime->runtime(*)"/> <dependency org="oauth.signpost" name="signpost-core" rev="1.2.1.2" force="true" conf="compile->compile(*),master(compile);runtime->runtime(*)"/> <dependency org="oauth.signpost" name="signpost-commonshttp4" rev="1.2.1.2" force="true" conf="compile->compile(*),master(compile);runtime->runtime(*)"/> <dependency org="org.specs2" name="specs2-core_2.10" rev="2.3.12" force="true" conf="test->runtime(*),master(compile)"/> <dependency org="org.specs2" name="specs2-junit_2.10" rev="2.3.12" force="true" conf="test->runtime(*),master(compile)"/> <dependency org="org.specs2" name="specs2-mock_2.10" rev="2.3.12" force="true" conf="test->runtime(*),master(compile)"/> <dependency org="org.specs2" name="specs2-matcher-extra_2.10" rev="2.3.12" force="true" conf="test->runtime(*),master(compile)"/> <dependency org="org.mockito" name="mockito-all" rev="1.9.5" force="true" conf="test->runtime(*),master(compile)"/> </dependencies> </ivy-module>
{ "content_hash": "f5ec82300915c25860474542d6440893", "timestamp": "", "source": "github", "line_count": 44, "max_line_length": 245, "avg_line_length": 93.77272727272727, "alnum_prop": 0.7321861366941348, "repo_name": "ProjectSidewalk/SidewalkWebpage", "id": "7435dfcf788ecffbab9ce0deac37a7c4e7bb7410", "size": "4126", "binary": false, "copies": "1", "ref": "refs/heads/develop", "path": ".ivy2/cache/com.typesafe.play/play-ws_2.10/ivy-2.3.8.xml", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "109361" }, { "name": "Dockerfile", "bytes": "1227" }, { "name": "HTML", "bytes": "734601" }, { "name": "Java", "bytes": "19745" }, { "name": "JavaScript", "bytes": "1237155" }, { "name": "Makefile", "bytes": "1666" }, { "name": "NewLisp", "bytes": "23115" }, { "name": "Python", "bytes": "31155" }, { "name": "Ruby", "bytes": "870" }, { "name": "SCSS", "bytes": "1498" }, { "name": "Scala", "bytes": "696576" }, { "name": "Shell", "bytes": "2738" } ], "symlink_target": "" }
from pyxley.charts import Chart from flask import jsonify, request class PlotlyAPI(Chart): def __init__(self, options, route_func): super(PlotlyAPI, self).__init__("PlotlyAPI", options, route_func) class PlotlyLines(PlotlyAPI): def __init__(self, xypairs, data_source, mode="lines+markers", layout={}, init_params={}, chart_id="plotlyid", url="/plotlyurl/", route_func=None): self.options = { "chartid": chart_id, "url": url, "params": init_params } def get_data(): args = {} for c in init_params: if request.args.get(c): args[c] = request.args[c] else: args[c] = init_params[c] return jsonify(PlotlyLines.to_json( self.apply_filters(data_source, args), xypairs, mode, layout )) if not route_func: route_func = get_data super(PlotlyLines, self).__init__(self.options, route_func) @staticmethod def to_json(df, xypairs, mode, layout): if df.empty: return { "x": [], "y": [], "mode": mode } _data = [] for x, y in xypairs: if (x in df.columns) and (y in df.columns): _data.append( { "x": df[x].values.tolist(), "y": df[y].values.tolist(), "mode": mode } ) return { "data": _data, "layout": layout }
{ "content_hash": "49d79874e532e4e39e3572cad297bb09", "timestamp": "", "source": "github", "line_count": 61, "max_line_length": 73, "avg_line_length": 28.65573770491803, "alnum_prop": 0.425629290617849, "repo_name": "subodhchhabra/pyxley", "id": "2d443b10082d908b7c581ce49b638a1aab1a87d5", "size": "1749", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "examples/plotly/demo/helper.py", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "3839" }, { "name": "HTML", "bytes": "2640" }, { "name": "JavaScript", "bytes": "87379" }, { "name": "Python", "bytes": "41725" } ], "symlink_target": "" }
class Ray { public: Ray() { dist = DBL_MAX; } Ray(const Vector3f &origin, const Vector3f &direction) : m_origin(origin), m_direction(direction) { m_dir_reciprocal.x() = 1.0 / m_direction.x(); m_dir_reciprocal.y() = 1.0 / m_direction.y(); m_dir_reciprocal.z() = 1.0 / m_direction.z(); dist = DBL_MAX; } Vector3f m_origin; Vector3f m_direction; Vector3f m_dir_reciprocal; double dist; bool intersects(const Vector3f &v1, const Vector3f &v2, const Vector3f &v3, double *u, double *v, double *dist) const; }; #endif
{ "content_hash": "161cad469244210505949600cb00079a", "timestamp": "", "source": "github", "line_count": 27, "max_line_length": 119, "avg_line_length": 19.962962962962962, "alnum_prop": 0.6586270871985158, "repo_name": "EmilNorden/candle", "id": "31d3cfdd9d93f774373894a0769ec2145198bc51", "size": "609", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/ray.h", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "7713" }, { "name": "C", "bytes": "927859" }, { "name": "C++", "bytes": "7445146" }, { "name": "CMake", "bytes": "106344" }, { "name": "COBOL", "bytes": "2921725" }, { "name": "D", "bytes": "175404" }, { "name": "GLSL", "bytes": "2487" }, { "name": "Inno Setup", "bytes": "8592" }, { "name": "Java", "bytes": "289140" }, { "name": "Logos", "bytes": "3056343" }, { "name": "Makefile", "bytes": "5519" }, { "name": "Objective-C", "bytes": "6455" }, { "name": "Objective-C++", "bytes": "29142" }, { "name": "Pascal", "bytes": "13551" }, { "name": "Python", "bytes": "198625" }, { "name": "Shell", "bytes": "4232" }, { "name": "Smarty", "bytes": "179" }, { "name": "UnrealScript", "bytes": "1313" } ], "symlink_target": "" }
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <!-- NewPage --> <html lang="en"> <head> <!-- Generated by javadoc (1.8.0_92) on Wed Jul 27 21:20:06 CEST 2016 --> <meta http-equiv="Content-Type" content="text/html; charset=UTF-8"> <title>Uses of Class net.sourceforge.pmd.util.filter.AbstractCompoundFilter (PMD Core 5.5.1 API)</title> <meta name="date" content="2016-07-27"> <link rel="stylesheet" type="text/css" href="../../../../../../stylesheet.css" title="Style"> <script type="text/javascript" src="../../../../../../script.js"></script> </head> <body> <script type="text/javascript"><!-- try { if (location.href.indexOf('is-external=true') == -1) { parent.document.title="Uses of Class net.sourceforge.pmd.util.filter.AbstractCompoundFilter (PMD Core 5.5.1 API)"; } } catch(err) { } //--> </script> <noscript> <div>JavaScript is disabled on your browser.</div> </noscript> <!-- ========= START OF TOP NAVBAR ======= --> <div class="topNav"><a name="navbar.top"> <!-- --> </a> <div class="skipNav"><a href="#skip.navbar.top" title="Skip navigation links">Skip navigation links</a></div> <a name="navbar.top.firstrow"> <!-- --> </a> <ul class="navList" title="Navigation"> <li><a href="../../../../../../overview-summary.html">Overview</a></li> <li><a href="../package-summary.html">Package</a></li> <li><a href="../../../../../../net/sourceforge/pmd/util/filter/AbstractCompoundFilter.html" title="class in net.sourceforge.pmd.util.filter">Class</a></li> <li class="navBarCell1Rev">Use</li> <li><a href="../package-tree.html">Tree</a></li> <li><a href="../../../../../../deprecated-list.html">Deprecated</a></li> <li><a href="../../../../../../index-all.html">Index</a></li> <li><a href="../../../../../../help-doc.html">Help</a></li> </ul> </div> <div class="subNav"> <ul class="navList"> <li>Prev</li> <li>Next</li> </ul> <ul class="navList"> <li><a href="../../../../../../index.html?net/sourceforge/pmd/util/filter/class-use/AbstractCompoundFilter.html" target="_top">Frames</a></li> <li><a href="AbstractCompoundFilter.html" target="_top">No&nbsp;Frames</a></li> </ul> <ul class="navList" id="allclasses_navbar_top"> <li><a href="../../../../../../allclasses-noframe.html">All&nbsp;Classes</a></li> </ul> <div> <script type="text/javascript"><!-- allClassesLink = document.getElementById("allclasses_navbar_top"); if(window==top) { allClassesLink.style.display = "block"; } else { allClassesLink.style.display = "none"; } //--> </script> </div> <a name="skip.navbar.top"> <!-- --> </a></div> <!-- ========= END OF TOP NAVBAR ========= --> <div class="header"> <h2 title="Uses of Class net.sourceforge.pmd.util.filter.AbstractCompoundFilter" class="title">Uses of Class<br>net.sourceforge.pmd.util.filter.AbstractCompoundFilter</h2> </div> <div class="classUseContainer"> <ul class="blockList"> <li class="blockList"> <table class="useSummary" border="0" cellpadding="3" cellspacing="0" summary="Use table, listing packages, and an explanation"> <caption><span>Packages that use <a href="../../../../../../net/sourceforge/pmd/util/filter/AbstractCompoundFilter.html" title="class in net.sourceforge.pmd.util.filter">AbstractCompoundFilter</a></span><span class="tabEnd">&nbsp;</span></caption> <tr> <th class="colFirst" scope="col">Package</th> <th class="colLast" scope="col">Description</th> </tr> <tbody> <tr class="altColor"> <td class="colFirst"><a href="#net.sourceforge.pmd.util.filter">net.sourceforge.pmd.util.filter</a></td> <td class="colLast">&nbsp;</td> </tr> </tbody> </table> </li> <li class="blockList"> <ul class="blockList"> <li class="blockList"><a name="net.sourceforge.pmd.util.filter"> <!-- --> </a> <h3>Uses of <a href="../../../../../../net/sourceforge/pmd/util/filter/AbstractCompoundFilter.html" title="class in net.sourceforge.pmd.util.filter">AbstractCompoundFilter</a> in <a href="../../../../../../net/sourceforge/pmd/util/filter/package-summary.html">net.sourceforge.pmd.util.filter</a></h3> <table class="useSummary" border="0" cellpadding="3" cellspacing="0" summary="Use table, listing subclasses, and an explanation"> <caption><span>Subclasses of <a href="../../../../../../net/sourceforge/pmd/util/filter/AbstractCompoundFilter.html" title="class in net.sourceforge.pmd.util.filter">AbstractCompoundFilter</a> in <a href="../../../../../../net/sourceforge/pmd/util/filter/package-summary.html">net.sourceforge.pmd.util.filter</a></span><span class="tabEnd">&nbsp;</span></caption> <tr> <th class="colFirst" scope="col">Modifier and Type</th> <th class="colLast" scope="col">Class and Description</th> </tr> <tbody> <tr class="altColor"> <td class="colFirst"><code>class&nbsp;</code></td> <td class="colLast"><code><span class="memberNameLink"><a href="../../../../../../net/sourceforge/pmd/util/filter/AndFilter.html" title="class in net.sourceforge.pmd.util.filter">AndFilter</a>&lt;T&gt;</span></code> <div class="block">A logical AND of a list of Filters.</div> </td> </tr> <tr class="rowColor"> <td class="colFirst"><code>class&nbsp;</code></td> <td class="colLast"><code><span class="memberNameLink"><a href="../../../../../../net/sourceforge/pmd/util/filter/OrFilter.html" title="class in net.sourceforge.pmd.util.filter">OrFilter</a>&lt;T&gt;</span></code> <div class="block">A logical OR of a list of Filters.</div> </td> </tr> </tbody> </table> </li> </ul> </li> </ul> </div> <!-- ======= START OF BOTTOM NAVBAR ====== --> <div class="bottomNav"><a name="navbar.bottom"> <!-- --> </a> <div class="skipNav"><a href="#skip.navbar.bottom" title="Skip navigation links">Skip navigation links</a></div> <a name="navbar.bottom.firstrow"> <!-- --> </a> <ul class="navList" title="Navigation"> <li><a href="../../../../../../overview-summary.html">Overview</a></li> <li><a href="../package-summary.html">Package</a></li> <li><a href="../../../../../../net/sourceforge/pmd/util/filter/AbstractCompoundFilter.html" title="class in net.sourceforge.pmd.util.filter">Class</a></li> <li class="navBarCell1Rev">Use</li> <li><a href="../package-tree.html">Tree</a></li> <li><a href="../../../../../../deprecated-list.html">Deprecated</a></li> <li><a href="../../../../../../index-all.html">Index</a></li> <li><a href="../../../../../../help-doc.html">Help</a></li> </ul> </div> <div class="subNav"> <ul class="navList"> <li>Prev</li> <li>Next</li> </ul> <ul class="navList"> <li><a href="../../../../../../index.html?net/sourceforge/pmd/util/filter/class-use/AbstractCompoundFilter.html" target="_top">Frames</a></li> <li><a href="AbstractCompoundFilter.html" target="_top">No&nbsp;Frames</a></li> </ul> <ul class="navList" id="allclasses_navbar_bottom"> <li><a href="../../../../../../allclasses-noframe.html">All&nbsp;Classes</a></li> </ul> <div> <script type="text/javascript"><!-- allClassesLink = document.getElementById("allclasses_navbar_bottom"); if(window==top) { allClassesLink.style.display = "block"; } else { allClassesLink.style.display = "none"; } //--> </script> </div> <a name="skip.navbar.bottom"> <!-- --> </a></div> <!-- ======== END OF BOTTOM NAVBAR ======= --> <p class="legalCopy"><small>Copyright &#169; 2002&#x2013;2016 <a href="http://pmd.sourceforge.net/">InfoEther</a>. All rights reserved.</small></p> </body> </html>
{ "content_hash": "4223f72c522035676fd0f1d0a2c98797", "timestamp": "", "source": "github", "line_count": 174, "max_line_length": 363, "avg_line_length": 42.18390804597701, "alnum_prop": 0.6423705722070845, "repo_name": "jasonwee/videoOnCloud", "id": "3054e43e03985c752b332b2f6a1828532416b086", "size": "7340", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "pmd/pmd-doc-5.5.1/pmd-core/apidocs/net/sourceforge/pmd/util/filter/class-use/AbstractCompoundFilter.html", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "116270" }, { "name": "C", "bytes": "2209717" }, { "name": "C++", "bytes": "375267" }, { "name": "CSS", "bytes": "1134648" }, { "name": "Dockerfile", "bytes": "1656" }, { "name": "HTML", "bytes": "306558398" }, { "name": "Java", "bytes": "1465506" }, { "name": "JavaScript", "bytes": "9028509" }, { "name": "Jupyter Notebook", "bytes": "30907" }, { "name": "Less", "bytes": "107003" }, { "name": "PHP", "bytes": "856" }, { "name": "PowerShell", "bytes": "77807" }, { "name": "Pug", "bytes": "2968" }, { "name": "Python", "bytes": "1001861" }, { "name": "R", "bytes": "7390" }, { "name": "Roff", "bytes": "3553" }, { "name": "Shell", "bytes": "206191" }, { "name": "Thrift", "bytes": "80564" }, { "name": "XSLT", "bytes": "4740" } ], "symlink_target": "" }
<?php define('WP_DEBUG', true); //////////////////////////////////////////////////////////////////////////////// // POST TYPES //////////////////////////////////////////////////////////////////////////////// /** * Fügt den Custom Post Type "company" hinzu, der einem Unternehmens-Eintrag * entspricht. */ function add_post_types() { register_post_type( 'company', array( 'labels' => array( 'name' => 'Firmen', 'singular_name' => 'Firma', ), 'public' => true, 'show_ui' => true, 'supports' => array( 'title', 'editor', 'post-thumbnails', 'custom-fields'), 'register_meta_box_cb' => 'add_metaboxes' ) ); } /** * Fügt dem Custom Post Type "company" alle Parameter als Custom Fields hinzu. */ function add_metaboxes() { add_meta_box('bd_plz', 'PLZ', 'bd_plz_html', 'company', 'normal', 'default'); add_meta_box('bd_city', 'Ort', 'bd_city_html', 'company', 'normal', 'default'); add_meta_box('bd_street', 'Strasse', 'bd_street_html', 'company', 'normal', 'default'); add_meta_box('bd_housenr', 'Hausnummer', 'bd_housenr_html', 'company', 'normal', 'default'); add_meta_box('bd_telephone', 'Telefonnummer.', 'bd_telephone_html', 'company', 'normal', 'default'); add_meta_box('bd_email', 'EMail', 'bd_email_html', 'company', 'normal', 'default'); add_meta_box('bd_website', 'Web-Seite', 'bd_website_html', 'company', 'normal', 'default'); add_meta_box('bd_housenr', 'Hausnummer', 'bd_housenr_html', 'company', 'normal', 'default'); add_meta_box('bd_longitude', 'Längengrad', 'bd_longitude_html', 'company', 'normal', 'default'); add_meta_box('bd_latitude', 'Breitengrad', 'bd_latitude_html', 'company', 'normal', 'default'); add_meta_box('bd_google_id', 'Google-ID', 'bd_google_id_html', 'company', 'normal', 'default'); add_meta_box('bd_last_login', 'Letzter Login', 'bd_last_login_html', 'company', 'normal', 'default'); } /** * Wird aufgerufen, wenn ein Post gespeichert wird (im Back-End). Speichert die * Custom Fields zu jedem Post. * @param int $post_id ID des Posts * @param Post $post der Post * @return int Post-ID */ function bd_save_meta($post_id, $post) { if (!wp_verify_nonce($_POST['eventmeta_noncename'], plugin_basename(__FILE__))) { return $post->ID; } if (!current_user_can('edit_post', $post->ID)) return $post->ID; $events_meta['bd_plz'] = $_POST['bd_plz']; $events_meta['bd_city'] = $_POST['bd_city']; $events_meta['bd_street'] = $_POST['bd_street']; $events_meta['bd_housenr'] = $_POST['bd_housenr']; $events_meta['bd_telephone'] = $_POST['bd_telephone']; $events_meta['bd_email'] = $_POST['bd_email']; $events_meta['bd_website'] = $_POST['bd_website']; $events_meta['bd_longitude'] = $_POST['bd_longitude']; $events_meta['bd_latitude'] = $_POST['bd_latitude']; $events_meta['bd_google_id'] = $_POST['bd_google_id']; $events_meta['bd_last_login'] = $_POST['bd_last_login']; foreach ($events_meta as $key => $value) { if ($post->post_type == 'revision') return; $value = implode(',', (array) $value); if (get_post_meta($post->ID, $key, FALSE)) { update_post_meta($post->ID, $key, $value); } else { add_post_meta($post->ID, $key, $value); } if (!$value) { delete_post_meta($post->ID, $key); } } } /** * Gibt ein Text-Feld zur Eingabe von Werten für Custom-Fields im Back-End aus. * @param type $id ID des Custom Fields */ function bd_input_html($id) { global $post; echo '<input type="hidden" name="eventmeta_noncename" id="eventmeta_noncename" value="' . wp_create_nonce(plugin_basename(__FILE__)) . '" />'; $data = get_post_meta($post->ID, $id, true); echo '<input type="text" name="' . $id . '" value="' . $data . '" class="widefat" />'; } /** * Gibt ein Textfeld zur Eingabe der PLZ im Back-End aus. */ function bd_plz_html() { bd_input_html('bd_plz'); } /** * Gibt ein Textfeld zur Eingabe der Stadt im Back-End aus. */ function bd_city_html() { bd_input_html('bd_city'); } /** * Gibt ein Textfeld zur Eingabe der Straße im Back-End aus. */ function bd_street_html() { bd_input_html('bd_street'); } /** * Gibt ein Textfeld zur Eingabe der Haus-Nr. im Back-End aus. */ function bd_housenr_html() { bd_input_html('bd_housenr'); } /** * Gibt ein Textfeld zur Eingabe des Längengrades im Back-End aus. */ function bd_longitude_html() { bd_input_html('bd_longitude'); } /** * Gibt ein Textfeld zur Eingabe des Breitengrades im Back-End aus. */ function bd_latitude_html() { bd_input_html('bd_latitude'); } /** * Gibt ein Textfeld zur Eingabe der Telefon-Nr. im Back-End aus. */ function bd_telephone_html() { bd_input_html('bd_telephone'); } /** * Gibt ein Textfeld zur Eingabe der EMail-Adresse im Back-End aus. */ function bd_email_html() { bd_input_html('bd_email'); } /** * Gibt ein Textfeld zur Eingabe der URL der Webseite im Back-End aus. */ function bd_website_html() { bd_input_html('bd_website'); } /** * Gibt ein Textfeld zur Eingabe der Google-ID im Back-End aus. */ function bd_google_id_html() { bd_input_html('bd_google_id'); } /** * Gibt ein Textfeld zur Eingabe der Zeit des letzten Logins im Back-End aus. */ function bd_last_login_html() { bd_input_html('bd_last_login'); } add_action('init', 'add_post_types'); add_action('save_post', 'bd_save_meta', 1, 2); //////////////////////////////////////////////////////////////////////////////// // PAGES //////////////////////////////////////////////////////////////////////////////// /** * Erzeugt eine neue Seite, falls sie noch nicht existiert. * @param string $new_page_title Titel der neuen Seite. * @param string $new_page_template Template-Datei der neuen Seite. */ function add_page($new_page_title, $new_page_template) { $new_page_content = ''; $page_check = get_page_by_title($new_page_title); $new_page = array( 'post_type' => 'page', 'post_title' => $new_page_title, 'post_content' => $new_page_content, 'post_status' => 'publish', 'post_author' => 1, ); if (!isset($page_check->ID)) { $new_page_id = wp_insert_post($new_page); if (!empty($new_page_template)) { update_post_meta($new_page_id, '_wp_page_template', $new_page_template); } } } /** * Fügt die Seiten "Unternehmer Login" und "Suche" ein. */ function add_pages() { add_page('Unternehmer Login', 'company_backend_tmpl.php'); add_page('Suche', 'companies_tmpl.php'); } add_action('init', 'add_pages'); //////////////////////////////////////////////////////////////////////////////// // TAXONOMIES, TERMS //////////////////////////////////////////////////////////////////////////////// /** * Fügt die Gewerbe-Taxonomy hinzu. */ function create_taxonomies() { $types = array('Arzt', 'Friseur', 'Restaurant', 'Supermarkt'); register_taxonomy('type', 'company', array( 'label' => 'Gewerbe', 'hierarchical' => false) ); foreach ($types as $type) { wp_insert_term($type, 'type'); } } add_action('init', 'create_taxonomies'); //////////////////////////////////////////////////////////////////////////////// flush_rewrite_rules(); ?>
{ "content_hash": "f94cd0677fde01d626e1289f372484fe", "timestamp": "", "source": "github", "line_count": 243, "max_line_length": 146, "avg_line_length": 30.641975308641975, "alnum_prop": 0.5499597099113618, "repo_name": "danielnassauer/branchenverzeichnis", "id": "cfb185eefd10064a32478698af7fd68956396c34", "size": "7454", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "functions.php", "mode": "33261", "license": "mit", "language": [ { "name": "CSS", "bytes": "856" }, { "name": "PHP", "bytes": "5814233" } ], "symlink_target": "" }
package org.jgroups.tests; import org.jgroups.Global; import org.jgroups.util.ExpiryCache; import org.jgroups.util.Util; import org.testng.annotations.Test; /** * @author Bela Ban * @since 3.3 */ @Test(groups=Global.FUNCTIONAL,sequential=false) public class ExpiryCacheTest { public void testAdd() { ExpiryCache<String> cache=new ExpiryCache<String>(10000); boolean added=add(cache, "Bela"); assert added; added=add(cache, "Michelle"); assert added; added=add(cache, "Nicole"); assert added; System.out.println("cache = " + cache); assert cache.size() == 3; added=add(cache, "Bela"); assert !added; assert cache.size() == 3; } public void testReplaceExpiredElement() { ExpiryCache<String> cache=new ExpiryCache<String>(200); add(cache, "Bela"); for(int i=0; i < 20; i++) { if(cache.hasExpired("Bela")) break; Util.sleep(500); } assert cache.hasExpired("Bela"); boolean added=cache.addIfAbsentOrExpired("Bela"); assert added : "cache is " + cache; } public void testRemovedExpiredElements() { ExpiryCache<String> cache=new ExpiryCache<String>(200); add(cache, "Bela"); add(cache, "Michelle"); add(cache, "Nicole"); assert cache.size() == 3; for(int i=0; i < 20; i++) { if(cache.removeExpiredElements() > 0 && cache.size() == 0) break; Util.sleep(500); } assert cache.size() == 0; } protected static <T> boolean add(ExpiryCache<T> cache, T key) { boolean added=cache.addIfAbsentOrExpired(key); System.out.println((added? "added " : "didn't add ") + key); return added; } }
{ "content_hash": "33736284d5e1a4d9d3ece9159c4ebace", "timestamp": "", "source": "github", "line_count": 69, "max_line_length": 70, "avg_line_length": 26.666666666666668, "alnum_prop": 0.5717391304347826, "repo_name": "ibrahimshbat/JGroups", "id": "c527ef41aa8fbe0739aa21ef141f5ee13b49f544", "size": "1840", "binary": false, "copies": "2", "ref": "refs/heads/Zab_4", "path": "tests/junit-functional/org/jgroups/tests/ExpiryCacheTest.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "HTML", "bytes": "3465" }, { "name": "Java", "bytes": "12917680" }, { "name": "Python", "bytes": "2267" }, { "name": "Shell", "bytes": "91017" } ], "symlink_target": "" }
package com.s24.redjob.worker.runner; import com.s24.redjob.worker.Execution; /** * {@link JobRunnerFactory} for {@link TestJob}s. */ public class TestJobRunnerFactory implements JobRunnerFactory { @Override public Runnable runnerFor(Execution execution) { TestJob job = execution.getJob(); return new TestJobRunner(job); } }
{ "content_hash": "9642e762ceff0b90f2f798d3794483b9", "timestamp": "", "source": "github", "line_count": 14, "max_line_length": 63, "avg_line_length": 25.071428571428573, "alnum_prop": 0.7264957264957265, "repo_name": "shopping24/redjob", "id": "b67dfae7c343bd5281986185352c1b99ad6fa1c5", "size": "351", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/test/java/com/s24/redjob/worker/runner/TestJobRunnerFactory.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Java", "bytes": "175499" } ], "symlink_target": "" }
<?php namespace Sensio\Bundle\TrainingBundle\Contact; use Symfony\Component\Form\AbstractType; use Symfony\Component\Form\FormBuilderInterface; use Symfony\Component\OptionsResolver\OptionsResolverInterface; class ProfileType extends AbstractType { public function setDefaultOptions(OptionsResolverInterface $resolver) { $resolver->setDefaults(array( 'data_class' => 'Sensio\Bundle\TrainingBundle\Contact\Profile' )); } public function buildForm(FormBuilderInterface $builder, array $options) { $builder ->add('languages') ->add('experiences', 'collection', array( 'type' => new ExperienceType(), 'allow_add' => false )); } public function getName() { return 'Profile'; } }
{ "content_hash": "d21d6c8cc6c1a2d4dac396411bc4a337", "timestamp": "", "source": "github", "line_count": 32, "max_line_length": 76, "avg_line_length": 25.96875, "alnum_prop": 0.6377858002406739, "repo_name": "abarry/sf2Training", "id": "cc09a748cbd9d7ee7332812027a38bd28f722e20", "size": "831", "binary": false, "copies": "1", "ref": "refs/heads/develop", "path": "src/Sensio/Bundle/TrainingBundle/Contact/ProfileType.php", "mode": "33188", "license": "mit", "language": [ { "name": "PHP", "bytes": "54847" }, { "name": "Perl", "bytes": "794" } ], "symlink_target": "" }
import os import getopt import pickle import sys import time import simpleubjson try: import json except ImportError: json = None try: import simplejson except ImportError: simplejson = None try: import ujson except ImportError: ujson = None try: import erlport except ImportError: erlport = None def timeit(func): def wrapper(*args, **kwargs): start = time.time() func(*args, **kwargs) return time.time() - start return wrapper def load_case(name): fname = os.path.join(os.path.dirname(__file__), '../tests/data', name) data = open(fname).read() return json.loads(data) def format_results(lib, version, msg, total, count): return ' * [%s @ %s] %s in %f (%f / call)' % (lib, version, msg, total, (total / float(count))) def run_test(func, times, *args, **kwargs): tfunc = timeit(lambda: func(*args, **kwargs)) return sum(tfunc() for i in range(times)) def make_benchmark(name, count): data = load_case(name) src = simpleubjson.encode(data, spec='draft-8') total = run_test(simpleubjson.decode, count, src, spec='draft-8') print(format_results('simpleubjson', simpleubjson.__version__, 'Decoded Draft-8', total, count)) total = run_test(simpleubjson.encode, count, data, spec='draft-8') print(format_results('simpleubjson', simpleubjson.__version__, 'Encoded Draft-8', total, count)) print src = simpleubjson.encode(data, spec='draft-9') func = lambda *a, **k: list(simpleubjson.decode(*a, **k)) total = run_test(func, count, src, spec='draft-9') print(format_results('simpleubjson', simpleubjson.__version__, 'Decoded Draft-9', total, count)) total = run_test(simpleubjson.encode, count, data, spec='draft-9') print(format_results('simpleubjson', simpleubjson.__version__, 'Encoded Draft-9', total, count)) if json: print total = run_test(json.loads, count, json.dumps(data)) print(format_results('json_stdlib', json.__version__, 'Decoded', total, count)) total = run_test(json.dumps, count, data) print(format_results('json_stdlib', json.__version__, 'Encoded', total, count)) if simplejson: print simplejson._toggle_speedups(True) total = run_test(simplejson.loads, count, simplejson.dumps(data)) print(format_results('simplejson_c', simplejson.__version__, 'Decoded', total, count)) simplejson._toggle_speedups(True) total = run_test(simplejson.dumps, count, data) print(format_results('simplejson_c', simplejson.__version__, 'Encoded', total, count)) print simplejson._toggle_speedups(False) total = run_test(simplejson.loads, count, simplejson.dumps(data)) print(format_results('simplejson_py', simplejson.__version__, 'Decoded', total, count)) simplejson._toggle_speedups(False) total = run_test(simplejson.dumps, count, data) print(format_results('simplejson_py', simplejson.__version__, 'Encoded', total, count)) if ujson: print total = run_test(ujson.decode, count, ujson.encode(data)) print(format_results('ujson', ujson.__version__, 'Decoded', total, count)) total = run_test(ujson.encode, count, data) print(format_results('ujson', ujson.__version__, 'Encoded', total, count)) if erlport: print total = run_test(erlport.decode, count, erlport.encode(data)) print(format_results('erlport', erlport.__version__, 'Decoded', total, count)) total = run_test(erlport.encode, count, data) print(format_results('erlport', erlport.__version__, 'Encoded', total, count)) print total = run_test(pickle.loads, count, pickle.dumps(data)) print(format_results('pickle', pickle.__version__, 'Decoded', total, count)) total = run_test(pickle.dumps, count, data) print(format_results('pickle', pickle.__version__, 'Encoded', total, count)) def test_1(count): print('* [test_1] CouchDB4k.compact.json %d times' % count) make_benchmark('CouchDB4k.compact.json', count) print print def test_2(count): print('* [test_2] MediaContent.compact.json %d times' % count) make_benchmark('MediaContent.compact.json', count) print print def test_3(count): print('* [test_3] TwitterTimeline.compact.json %d times' % count) make_benchmark('TwitterTimeline.compact.json', count) print print def run(count): print('sys.version : %r' % (sys.version,)) print('sys.platform : %r' % (sys.platform,)) test_1(count) test_2(count) test_3(count) def main(): """benchmark.py - UBJSON vs JSON performance test script. Usage: -h, --help Prints this help -c, --count= Rounds per test. Default: 1000. """ try: opts, args = getopt.getopt(sys.argv[1:], 'hc:', ['help', 'count=']) except getopt.GetoptError: print(main.__doc__) sys.exit(2) count = 100000 for key, value in opts: print(key, value) if key in ('-h', '--help'): print(main.__doc__) sys.exit() elif key in ('-c', '--count'): count = int(value) else: assert False, 'unhandled option %s' % key run(count) if __name__ == '__main__': main()
{ "content_hash": "dc4df59b4783ff357bdb17a4b777ede1", "timestamp": "", "source": "github", "line_count": 201, "max_line_length": 78, "avg_line_length": 29.223880597014926, "alnum_prop": 0.5677562138236295, "repo_name": "samipshah/simpleubjson", "id": "d05c7f7767ad0c4a6c8c6f84455492d6f6d016f3", "size": "6096", "binary": false, "copies": "4", "ref": "refs/heads/master", "path": "simpleubjson/tools/benchmark.py", "mode": "33188", "license": "bsd-2-clause", "language": [ { "name": "Python", "bytes": "90353" } ], "symlink_target": "" }
<?php namespace Sci\Assert; class Assert { const CLASS_NAME = __CLASS__; use BaseAssertionTrait; use ComparisonAssertionTrait; use StringAssertionTrait; /** @var mixed */ private $value; /** @var bool */ private $plural; /** @var bool */ private $alwaysValid; /** * @param mixed $value */ final private function __construct($value) { $this->value = $value; $this->plural = false; $this->alwaysValid = false; } /** * @param mixed $value * * @return static */ final public static function that($value) { return new static($value); } /** * @return Assert */ public function all() { $this->isTraversable(); $this->plural = true; return $this; } /** * @return Assert */ public function nullOr() { if ($this->value === null) { $this->alwaysValid = true; } return $this; } protected function doCheck(callable $check) { if (!$this->alwaysValid) { $values = $this->plural ? $this->value : [$this->value]; foreach ($values as $value) { call_user_func($check, $value); } } return $this; } /** * Throws an InvalidArgumentException, if $condition doesn't hold. * * @param bool $condition * @param string $messageFormatString * @param mixed $... * * @throws InvalidArgumentException */ protected function throwExceptionIfFalse() { $args = func_get_args(); $condition = array_shift($args); if (!$condition) { $args = array_map([$this, 'stringify'], $args); $message = call_user_func_array('sprintf', $args); throw new InvalidArgumentException($message); } } /** * @param mixed $value * * @return string */ private function stringify($value) { if (is_bool($value)) { return $value ? '<TRUE>' : '<FALSE>'; } elseif (is_scalar($value)) { $val = (string) $value; if (strlen($val) > 100) { $val = substr($val, 0, 97).'...'; } return $val; } elseif (is_array($value)) { return '<ARRAY>'; } elseif (is_object($value)) { return sprintf('%s [%s]', get_class($value), spl_object_hash($value)); } elseif (is_resource($value)) { return '<RESOURCE>'; } elseif (is_null($value)) { return '<NULL>'; } else { return 'unknown'; } } }
{ "content_hash": "14e5d936fbc83f9a64036c51d64b08aa", "timestamp": "", "source": "github", "line_count": 134, "max_line_length": 82, "avg_line_length": 20.33582089552239, "alnum_prop": 0.48293577981651375, "repo_name": "DrSchimke/assert", "id": "2ee81cafb7b59fa4a0f07abeaa0f0db806055d8b", "size": "2955", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "lib/Assert.php", "mode": "33188", "license": "mit", "language": [ { "name": "PHP", "bytes": "36541" } ], "symlink_target": "" }
require('dotenv').config({ silent: true }); module.exports = { secret: process.env.SECRET, port: process.env.PORT, env: process.env.NODE_ENV };
{ "content_hash": "1a538a253b4d1968a561217428de0597", "timestamp": "", "source": "github", "line_count": 7, "max_line_length": 43, "avg_line_length": 21.571428571428573, "alnum_prop": 0.6754966887417219, "repo_name": "andela-jmacharia/hati-DMS", "id": "403be56343b0e2eb612d7b8264cd898c5b97adcb", "size": "151", "binary": false, "copies": "1", "ref": "refs/heads/develop", "path": "config/config.js", "mode": "33188", "license": "mit", "language": [ { "name": "API Blueprint", "bytes": "11433" }, { "name": "CSS", "bytes": "702" }, { "name": "HTML", "bytes": "57226" }, { "name": "JavaScript", "bytes": "125072" } ], "symlink_target": "" }
<dc:language>en-US</dc:language> <dc:creator opf:file-as="Supreme Court of the United States" opf:role="aut">Supreme Court of the United States</dc:creator> <dc:publisher>Supreme Court of the United States republished via Cornell Internet Law</dc:publisher> <dc:rights>Creative Commons</dc:rights> <dc:title>LOCKE v. DAVEY</dc:title>
{ "content_hash": "fd0614d191bb4817b41540d8b81bb4e5", "timestamp": "", "source": "github", "line_count": 5, "max_line_length": 123, "avg_line_length": 66.8, "alnum_prop": 0.7724550898203593, "repo_name": "riordan/judiciary_ebooks", "id": "192f3e85a748a153eeb7e6f93d675c27dbb8ab90", "size": "334", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "html/02-1315/metadata.xml", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "438" }, { "name": "Python", "bytes": "734" }, { "name": "Ruby", "bytes": "2588" } ], "symlink_target": "" }
package br.com.jsn.noleggio.main.controller; import java.util.List; public interface ICrudBean<T> { public void cadastrar(); public void alterar(); public void excluir(); public boolean validar(); public void habilitarEdicao(); public List<T> getListaTodos(); public void setListaTodos(List<T> lista); public T getObjetoSelecionado(); public void setObjetoSelecionado(T objeto); public List<T> getListaFiltrada(); public void setListaFiltrada(List<T> lista); }
{ "content_hash": "7c3dfc25082c15578d3422bdc8ab635f", "timestamp": "", "source": "github", "line_count": 28, "max_line_length": 45, "avg_line_length": 17.75, "alnum_prop": 0.7283702213279678, "repo_name": "joaquimsn/locadora-web", "id": "f5bccbeca2f5398d298b5c32555ae0a002fd322b", "size": "497", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "src/main/java/br/com/jsn/noleggio/main/controller/ICrudBean.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "8944" }, { "name": "HTML", "bytes": "76088" }, { "name": "Java", "bytes": "148636" }, { "name": "JavaScript", "bytes": "841" } ], "symlink_target": "" }
package org.apache.druid.storage.azure; import com.fasterxml.jackson.annotation.JacksonInject; import com.fasterxml.jackson.annotation.JsonCreator; import com.fasterxml.jackson.annotation.JsonProperty; import com.fasterxml.jackson.annotation.JsonTypeName; import com.google.common.base.Preconditions; import org.apache.druid.segment.loading.LoadSpec; import org.apache.druid.segment.loading.SegmentLoadingException; import java.io.File; /** * A means of pulling segment files into Azure based deep storage */ @JsonTypeName(AzureStorageDruidModule.SCHEME) public class AzureLoadSpec implements LoadSpec { @JsonProperty private final String containerName; @JsonProperty private final String blobPath; private final AzureDataSegmentPuller puller; @JsonCreator public AzureLoadSpec( @JsonProperty("containerName") String containerName, @JsonProperty("blobPath") String blobPath, @JacksonInject AzureDataSegmentPuller puller ) { Preconditions.checkNotNull(blobPath); Preconditions.checkNotNull(containerName); this.containerName = containerName; this.blobPath = blobPath; this.puller = puller; } @Override public LoadSpecResult loadSegment(File file) throws SegmentLoadingException { return new LoadSpecResult(puller.getSegmentFiles(containerName, blobPath, file).size()); } }
{ "content_hash": "42bf6c8721eb4878e50791be0ec92f12", "timestamp": "", "source": "github", "line_count": 49, "max_line_length": 92, "avg_line_length": 27.632653061224488, "alnum_prop": 0.7865583456425406, "repo_name": "monetate/druid", "id": "f6a7b347ab34f669d46dd387d9dc3f43c2454bcc", "size": "2161", "binary": false, "copies": "12", "ref": "refs/heads/master", "path": "extensions-core/azure-extensions/src/main/java/org/apache/druid/storage/azure/AzureLoadSpec.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "ANTLR", "bytes": "5547" }, { "name": "CSS", "bytes": "3690" }, { "name": "Dockerfile", "bytes": "13080" }, { "name": "FreeMarker", "bytes": "10369" }, { "name": "HTML", "bytes": "2540" }, { "name": "Java", "bytes": "44823997" }, { "name": "JavaScript", "bytes": "65990" }, { "name": "Makefile", "bytes": "659" }, { "name": "PostScript", "bytes": "5" }, { "name": "Python", "bytes": "76196" }, { "name": "R", "bytes": "17002" }, { "name": "Roff", "bytes": "3617" }, { "name": "SCSS", "bytes": "183582" }, { "name": "Shell", "bytes": "137617" }, { "name": "Smarty", "bytes": "3517" }, { "name": "TeX", "bytes": "399468" }, { "name": "Thrift", "bytes": "1003" }, { "name": "TypeScript", "bytes": "1985704" } ], "symlink_target": "" }
package main; import java.util.ArrayList; import java.util.Collection; import java.util.Set; import java.util.concurrent.ConcurrentHashMap; import org.powerbot.game.bot.event.MessageEvent; import org.powerbot.game.bot.event.listener.MessageListener; import rooms.DGRoom; import doors.DGDoor; import doors.DGKey; import dungeon.DGDungeon; public class KeyChain implements MessageListener { private final static String KEY_MSG = "Your party found a key:"; private static ConcurrentHashMap<String, DGKey> keyChain = new ConcurrentHashMap<String, DGKey>(); private DGDungeon currentDungeon; public KeyChain(DGDungeon dungeon) { this.currentDungeon = dungeon; } @Override public void messageReceived(MessageEvent arg0) { String msg = arg0.getMessage(); System.out.println("LOOK HJERE AT OUR MESSAGE : " + msg); if (msg.contains(KEY_MSG)) { String key = parseKey(msg); int id = SpiffyDungeons.db.getItem(key); String door = key.replace("key", "door"); ArrayList<Integer> doors = SpiffyDungeons.db.getObjects(door); DGKey dk = new DGKey(id, key, doors); System.out.println("Added " + key + " to keychain."); keyChain.put(key, dk); // if (currentDungeon != null) { // // // System.out.println("We can now open the door " + cDoor.getName()); // //// Collection<DGRoom> rooms = currentDungeon.getRooms(); //// if (rooms != null) { //// for (DGRoom room : rooms) { //// if (room != null) { //// ArrayList<DGDoor> doors1 = room.getDoors(); //// for (DGDoor dor : doors1) { //// if (dor != null) { //// if (dor.getName().equals(door)) { //// System.out.println("We can now open the door: " + dor.getName()); //// dor.setCanComplete(true); //// } //// } //// } //// } //// } //// } // } } } public static Set<String> getKeys() { return keyChain.keySet(); } private static String parseKey(String msg) { return msg = msg.replace(KEY_MSG, ""); } public static DGKey getKey(String key) { return keyChain.get(key); } public static boolean contains(String key) { return keyChain.containsKey(key); } }
{ "content_hash": "895876c167db5afdae6feda858071f0f", "timestamp": "", "source": "github", "line_count": 86, "max_line_length": 99, "avg_line_length": 25.430232558139537, "alnum_prop": 0.6378600823045267, "repo_name": "TheDash/my-projects", "id": "525f2c7f9e286a0ff1c18822c2c71052a62083d5", "size": "2187", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "KingDungeoneering/main/KeyChain.java", "mode": "33188", "license": "mit", "language": [ { "name": "Java", "bytes": "459091" } ], "symlink_target": "" }
<?php declare(strict_types=1); namespace Ray\Aop; class FakeMethodInterceptor implements MethodInterceptor { public function invoke(MethodInvocation $invocation) { $invocation->proceed(); } }
{ "content_hash": "e79df33c73c9484a5352b1bc32d74cf8", "timestamp": "", "source": "github", "line_count": 13, "max_line_length": 56, "avg_line_length": 16.53846153846154, "alnum_prop": 0.7116279069767442, "repo_name": "koriym/Ray.Aop", "id": "2c1c7c7056e37b3da21fe5e69b03c7708235bc3a", "size": "215", "binary": false, "copies": "2", "ref": "refs/heads/2.x", "path": "tests/Fake/FakeMethodInterceptor.php", "mode": "33188", "license": "mit", "language": [ { "name": "PHP", "bytes": "107567" } ], "symlink_target": "" }
package com.github.mobile.ui.repo; import com.github.mobile.core.ResourcePager; import com.google.inject.Inject; import org.eclipse.egit.github.core.Repository; import org.eclipse.egit.github.core.User; import org.eclipse.egit.github.core.client.PageIterator; import org.eclipse.egit.github.core.service.RepositoryService; /** * Fragment to display the list of owned repositories for a {@link User} */ public class UserOwnedRepositoryListFragment extends UserRepositoryListFragment { @Inject private RepositoryService service; @Override protected ResourcePager<Repository> createPager() { return new ResourcePager<Repository>() { @Override protected Object getId(Repository resource) { return resource.getId(); } @Override public PageIterator<Repository> createIterator(int page, int size) { if (User.TYPE_ORG.equals(user.getType())) { return service.pageOrgRepositories(user.getLogin(), page, size); } return service.pageRepositories(user.getLogin(), page, size); } }; } }
{ "content_hash": "bffa21995fb86e84b270fbb6c16b1312", "timestamp": "", "source": "github", "line_count": 38, "max_line_length": 84, "avg_line_length": 30.94736842105263, "alnum_prop": 0.6624149659863946, "repo_name": "ywk248248/Forkhub_cloned", "id": "386de83b04b0e44fa1c5080231d239ab403a92bd", "size": "1774", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "app/src/main/java/com/github/mobile/ui/repo/UserOwnedRepositoryListFragment.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "8465" }, { "name": "HTML", "bytes": "386" }, { "name": "Java", "bytes": "1199922" }, { "name": "JavaScript", "bytes": "1466156" } ], "symlink_target": "" }
Basic isomorphic app built on [Redux](https://github.com/gaearon/redux) How this app works is thoroughly explained in [Tutorial: Handcrafting an Isomorphic Redux Application (With Love)](https://medium.com/front-end-developers/handcrafting-an-isomorphic-redux-application-with-love-40ada4468af4) ``` $ npm run dev $ browser http://localhost:3000 ``` Code comments courtesy of: https://github.com/knee-cola
{ "content_hash": "4f56ba503d839283fc6ebc37df03cc00", "timestamp": "", "source": "github", "line_count": 10, "max_line_length": 223, "avg_line_length": 40.9, "alnum_prop": 0.7799511002444988, "repo_name": "bananaoomarang/isomorphic-redux", "id": "d801d20d7b19bdfbd4ebd1904288f5f42c3818c1", "size": "571", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "README.md", "mode": "33188", "license": "mit", "language": [ { "name": "JavaScript", "bytes": "20878" } ], "symlink_target": "" }
#Region "Microsoft.VisualBasic::557738fa32b1bf0bf29513935142855d, src\assembly\assembly\test\Module1.vb" ' Author: ' ' xieguigang ([email protected], BioNovoGene Co., LTD.) ' ' Copyright (c) 2018 [email protected], BioNovoGene Co., LTD. ' ' ' MIT License ' ' ' Permission is hereby granted, free of charge, to any person obtaining a copy ' of this software and associated documentation files (the "Software"), to deal ' in the Software without restriction, including without limitation the rights ' to use, copy, modify, merge, publish, distribute, sublicense, and/or sell ' copies of the Software, and to permit persons to whom the Software is ' furnished to do so, subject to the following conditions: ' ' The above copyright notice and this permission notice shall be included in all ' copies or substantial portions of the Software. ' ' THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR ' IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, ' FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE ' AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER ' LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, ' OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE ' SOFTWARE. ' /********************************************************************************/ ' Summaries: ' Module Module1 ' ' Sub: Main, populateMS2 ' ' /********************************************************************************/ #End Region Imports BioNovoGene.Analytical.MassSpectrometry.Assembly.ASCII.MSP Imports BioNovoGene.Analytical.MassSpectrometry.Assembly.MarkupData.mzML Module Module1 Sub populateMS2() Dim mzML = "D:\XT-ZWA-1.mzML" For Each x In mzML.PopulateMS2 Pause() Next End Sub Sub Main() Call populateMS2() 'Dim ions = "D:\smartnucl_integrative\biodeepDB\smartnucl_integrative\build_tools\CVD_kb\smartnucl.CVD_kb\ion_pair.csv".LoadCsv(Of IonPair) 'Dim ionData = LoadChromatogramList("D:\smartnucl_integrative\biodeepDB\smartnucl_integrative\build_tools\CVD_kb\smartnucl.CVD_kb\test\Data20180111-L1.mzML") _ ' .MRMSelector(ions) _ ' .Where(Function(ion) Not ion.chromatogram Is Nothing) _ ' .Select(Function(ion) ' Return New NamedValue(Of PointF()) With { ' .Name = ion.ion.name, ' .Description = ion.ion.ToString, ' .Value = ion.chromatogram.Ticks.Select(Function(tick) CType(tick, PointF)).ToArray ' } ' End Function) _ ' .ToArray 'Pause() Dim testMsp = MspData.Load("D:\MassSpectrum-toolkits\Assembly\test\HMDB00008.msp").ToArray Dim lysoPC = MspData.Load("D:\MassSpectrum-toolkits\Assembly\test\custom-lysoPC+Hpos.msp") 'Dim meta = lysoPC.First.Comments.LipidBlastParser 'Call meta.DictionaryTable(where:=Function(x) ' If x Is Nothing Then ' Return False ' ElseIf {GetType(Integer), GetType(Double), GetType(Long)}.IndexOf(x.GetType) > -1 Then ' If Val(x) = 0R Then ' Return False ' Else ' Return True ' End If ' Else ' Return True ' End If ' End Function).GetJson.__DEBUG_ECHO Pause() End Sub End Module
{ "content_hash": "d43834d4a63bd2d120ad279362b98940", "timestamp": "", "source": "github", "line_count": 108, "max_line_length": 167, "avg_line_length": 38.074074074074076, "alnum_prop": 0.5367217898832685, "repo_name": "xieguigang/MassSpectrum-toolkits", "id": "4d6e0dd7506dd8ac04e0e251804aaabfe1ca9a5f", "size": "4114", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/assembly/assembly/test/Module1.vb", "mode": "33188", "license": "mit", "language": [ { "name": "Batchfile", "bytes": "540" }, { "name": "HTML", "bytes": "43851" }, { "name": "JavaScript", "bytes": "38052" }, { "name": "R", "bytes": "63184" }, { "name": "Rebol", "bytes": "28" }, { "name": "Shell", "bytes": "329" }, { "name": "Visual Basic", "bytes": "1921417" } ], "symlink_target": "" }
package uk.ac.ic.wlgitbridge.server; import javax.servlet.http.HttpServletRequest; import javax.servlet.http.HttpServletResponse; import org.eclipse.jetty.server.handler.ErrorHandler; import java.io.IOException; public class ProductionErrorHandler extends ErrorHandler { @Override public void handle( String target, org.eclipse.jetty.server.Request baseRequest, HttpServletRequest request, HttpServletResponse response ) throws IOException { response.getWriter() .append("{\"message\":\"HTTP error ") .append(String.valueOf(response.getStatus())) .append("\"}"); } }
{ "content_hash": "36d89de7e41d06c8d97d880bda5ab465", "timestamp": "", "source": "github", "line_count": 21, "max_line_length": 58, "avg_line_length": 31.523809523809526, "alnum_prop": 0.6903323262839879, "repo_name": "winstonli/writelatex-git-bridge", "id": "d4b19e26fe2490d94b5445228e2cd1b1b5a61095", "size": "662", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "src/main/java/uk/ac/ic/wlgitbridge/server/ProductionErrorHandler.java", "mode": "33188", "license": "mit", "language": [ { "name": "Java", "bytes": "420594" }, { "name": "Shell", "bytes": "88662" }, { "name": "TeX", "bytes": "1213" } ], "symlink_target": "" }
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html><head><title></title> <meta http-equiv="Content-Type" content="text/xhtml;charset=UTF-8"/> <meta name="generator" content="Doxygen 1.8.5"> <link rel="stylesheet" type="text/css" href="search.css"/> <script type="text/javascript" src="all_73.js"></script> <script type="text/javascript" src="search.js"></script> </head> <body class="SRPage"> <div id="SRIndex"> <div class="SRStatus" id="Loading">Caricamento in corso...</div> <div id="SRResults"></div> <script type="text/javascript"><!-- createResults(); --></script> <div class="SRStatus" id="Searching">Ricerca in corso...</div> <div class="SRStatus" id="NoMatches">Nessun risultato</div> <script type="text/javascript"><!-- document.getElementById("Loading").style.display="none"; document.getElementById("NoMatches").style.display="none"; var searchResults = new SearchResults("searchResults"); searchResults.Search(); --></script> </div> </body> </html>
{ "content_hash": "45b03a9a8cf1a3a0da8d973f615ff62d", "timestamp": "", "source": "github", "line_count": 26, "max_line_length": 121, "avg_line_length": 39.92307692307692, "alnum_prop": 0.7090558766859345, "repo_name": "mariaiemoli/progetto", "id": "b243427a8d8e15791025601161905794808ed5a0", "size": "1038", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "bifurcation/doc/html/search/all_73.html", "mode": "33188", "license": "mit", "language": [ { "name": "C++", "bytes": "701569" }, { "name": "CSS", "bytes": "29559" }, { "name": "Erlang", "bytes": "67384" }, { "name": "Gnuplot", "bytes": "393" }, { "name": "JavaScript", "bytes": "1790592" }, { "name": "Makefile", "bytes": "2042" }, { "name": "Matlab", "bytes": "2480" }, { "name": "Objective-C++", "bytes": "82374" }, { "name": "Perl", "bytes": "6350790" }, { "name": "Prolog", "bytes": "2352" }, { "name": "Python", "bytes": "159746" }, { "name": "Shell", "bytes": "201015" }, { "name": "TeX", "bytes": "1006054" } ], "symlink_target": "" }
obj-renderer ============ Three js obj renderer
{ "content_hash": "7999c83725e95dd5d2e523a761ca9ce2", "timestamp": "", "source": "github", "line_count": 4, "max_line_length": 21, "avg_line_length": 12.25, "alnum_prop": 0.5918367346938775, "repo_name": "distri/obj-renderer", "id": "ab3eb210da19dae9ede7a1bc71f8d237d361fd7f", "size": "49", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "README.md", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "36" }, { "name": "CoffeeScript", "bytes": "252" }, { "name": "JavaScript", "bytes": "7813" } ], "symlink_target": "" }
<!DOCTYPE html> <html lang="en"> <head> <meta charset="utf-8"> <meta name="viewport" content="width=device-width, initial-scale=1"> <title>ctltctl: Not compatible 👼</title> <link rel="shortcut icon" type="image/png" href="../../../../../favicon.png" /> <link href="../../../../../bootstrap.min.css" rel="stylesheet"> <link href="../../../../../bootstrap-custom.css" rel="stylesheet"> <link href="//maxcdn.bootstrapcdn.com/font-awesome/4.2.0/css/font-awesome.min.css" rel="stylesheet"> <script src="../../../../../moment.min.js"></script> <!-- HTML5 Shim and Respond.js IE8 support of HTML5 elements and media queries --> <!-- WARNING: Respond.js doesn't work if you view the page via file:// --> <!--[if lt IE 9]> <script src="https://oss.maxcdn.com/html5shiv/3.7.2/html5shiv.min.js"></script> <script src="https://oss.maxcdn.com/respond/1.4.2/respond.min.js"></script> <![endif]--> </head> <body> <div class="container"> <div class="navbar navbar-default" role="navigation"> <div class="container-fluid"> <div class="navbar-header"> <a class="navbar-brand" href="../../../../.."><i class="fa fa-lg fa-flag-checkered"></i> Coq bench</a> </div> <div id="navbar" class="collapse navbar-collapse"> <ul class="nav navbar-nav"> <li><a href="../..">clean / released</a></li> <li class="active"><a href="">8.10.0 / ctltctl - 8.8.0</a></li> </ul> </div> </div> </div> <div class="article"> <div class="row"> <div class="col-md-12"> <a href="../..">« Up</a> <h1> ctltctl <small> 8.8.0 <span class="label label-info">Not compatible 👼</span> </small> </h1> <p>📅 <em><script>document.write(moment("2022-06-12 16:57:09 +0000", "YYYY-MM-DD HH:mm:ss Z").fromNow());</script> (2022-06-12 16:57:09 UTC)</em><p> <h2>Context</h2> <pre># Packages matching: installed # Name # Installed # Synopsis base-bigarray base base-threads base base-unix base conf-findutils 1 Virtual package relying on findutils coq 8.10.0 Formal proof management system num 1.4 The legacy Num library for arbitrary-precision integer and rational arithmetic ocaml 4.08.1 The OCaml compiler (virtual package) ocaml-base-compiler 4.08.1 Official release 4.08.1 ocaml-config 1 OCaml Switch Configuration ocamlfind 1.9.3 A library manager for OCaml # opam file: opam-version: &quot;2.0&quot; maintainer: &quot;[email protected]&quot; homepage: &quot;https://github.com/coq-contribs/ctltctl&quot; license: &quot;LGPL 2.1&quot; build: [make &quot;-j%{jobs}%&quot;] install: [make &quot;install&quot;] remove: [&quot;rm&quot; &quot;-R&quot; &quot;%{lib}%/coq/user-contrib/CTLTCTL&quot;] depends: [ &quot;ocaml&quot; &quot;coq&quot; {&gt;= &quot;8.8&quot; &amp; &lt; &quot;8.9~&quot;} ] tags: [ &quot;keyword: CTL&quot; &quot;keyword: TCTL&quot; &quot;keyword: real time&quot; &quot;keyword: reactive systems&quot; &quot;keyword: temporal logic&quot; &quot;keyword: timed automatas&quot; &quot;keyword: timed graphs&quot; &quot;keyword: discrete time&quot; &quot;keyword: modal logic&quot; &quot;category: Mathematics/Logic/Modal logic&quot; &quot;date: February-March 2000&quot; ] authors: [ &quot;Carlos Daniel Luna&quot; ] bug-reports: &quot;https://github.com/coq-contribs/ctltctl/issues&quot; dev-repo: &quot;git+https://github.com/coq-contribs/ctltctl.git&quot; synopsis: &quot;Computation Tree Logic for Reactive Systems and Timed Computation Tree Logic for Real Time Systems&quot; description: &quot;&quot;&quot; This library formalises two logics for reasoning about reactive systems (CTL) and real time systems (TCTL) represents using timed automatas (timed graphs) with discrete time. http://www.fing.edu.uy/~cluna&quot;&quot;&quot; flags: light-uninstall url { src: &quot;https://github.com/coq-contribs/ctltctl/archive/v8.8.0.tar.gz&quot; checksum: &quot;md5=01e8dc01404c7dfcf1fb908150bbf9b0&quot; } </pre> <h2>Lint</h2> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>true</code></dd> <dt>Return code</dt> <dd>0</dd> </dl> <h2>Dry install 🏜️</h2> <p>Dry install with the current Coq version:</p> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>opam install -y --show-action coq-ctltctl.8.8.0 coq.8.10.0</code></dd> <dt>Return code</dt> <dd>5120</dd> <dt>Output</dt> <dd><pre>[NOTE] Package coq is already installed (current version is 8.10.0). The following dependencies couldn&#39;t be met: - coq-ctltctl -&gt; coq &lt; 8.9~ -&gt; ocaml &lt; 4.06.0 base of this switch (use `--unlock-base&#39; to force) Your request can&#39;t be satisfied: - No available version of coq satisfies the constraints No solution found, exiting </pre></dd> </dl> <p>Dry install without Coq/switch base, to test if the problem was incompatibility with the current Coq/OCaml version:</p> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>opam remove -y coq; opam install -y --show-action --unlock-base coq-ctltctl.8.8.0</code></dd> <dt>Return code</dt> <dd>0</dd> </dl> <h2>Install dependencies</h2> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>true</code></dd> <dt>Return code</dt> <dd>0</dd> <dt>Duration</dt> <dd>0 s</dd> </dl> <h2>Install 🚀</h2> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>true</code></dd> <dt>Return code</dt> <dd>0</dd> <dt>Duration</dt> <dd>0 s</dd> </dl> <h2>Installation size</h2> <p>No files were installed.</p> <h2>Uninstall 🧹</h2> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>true</code></dd> <dt>Return code</dt> <dd>0</dd> <dt>Missing removes</dt> <dd> none </dd> <dt>Wrong removes</dt> <dd> none </dd> </dl> </div> </div> </div> <hr/> <div class="footer"> <p class="text-center"> Sources are on <a href="https://github.com/coq-bench">GitHub</a> © Guillaume Claret 🐣 </p> </div> </div> <script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"></script> <script src="../../../../../bootstrap.min.js"></script> </body> </html>
{ "content_hash": "b2eb3782547eadfb4e0657f4bf15f355", "timestamp": "", "source": "github", "line_count": 178, "max_line_length": 159, "avg_line_length": 40.45505617977528, "alnum_prop": 0.551867796139425, "repo_name": "coq-bench/coq-bench.github.io", "id": "c69d13baceee699528f286fa48b2b12dbd442a5f", "size": "7226", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "clean/Linux-x86_64-4.08.1-2.0.5/released/8.10.0/ctltctl/8.8.0.html", "mode": "33188", "license": "mit", "language": [], "symlink_target": "" }
import { CommonModule } from '@angular/common'; import { NgModule, CUSTOM_ELEMENTS_SCHEMA } from '@angular/core'; import { PersonsOverviewComponent } from "app/person/persons.component"; @NgModule({ imports: [ CommonModule, ], declarations: [ PersonsOverviewComponent ], entryComponents: [ ] , schemas: [CUSTOM_ELEMENTS_SCHEMA] }) export class PersonModule { }
{ "content_hash": "0a15624337d925a7aa99c6b7f4e01d91", "timestamp": "", "source": "github", "line_count": 17, "max_line_length": 72, "avg_line_length": 23.88235294117647, "alnum_prop": 0.6674876847290641, "repo_name": "wimbervoets/angular-quickstart", "id": "e1aba4614070bebc1042fb837a3c93b250c3f268", "size": "406", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/app/person/person.module.ts", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "402" }, { "name": "HTML", "bytes": "9839" }, { "name": "JavaScript", "bytes": "2480" }, { "name": "TypeScript", "bytes": "27359" } ], "symlink_target": "" }
module.exports = class RasterAtlasSprite extends createjs.Container { constructor (thangType) { super() this.thangType = thangType this.movieClips = new Map() // acts like a cache of movieclip objects for different actions on the same sprite } configureSettings (action) { this.scaleX = this.scaleY = action.scale || this.thangType.get('scale') || 1 if (action.flipX) { this.scaleX *= -1 } if (action.flipY) { this.scaleY *= -1 } this.baseScaleX = this.scaleX this.baseScaleY = this.scaleY const reg = (action.positions || {}).registration || (this.thangType.get('positions') || {}).registration || { x: 0, y: 0 } this.regX = -reg.x this.regY = -reg.y } gotoAndPlay (actionName) { this.removeAllChildren() const action = this.thangType.getActions()[actionName] this.notifyActionNeedsRender(action) this.configureSettings(action) const spriteData = this.thangType.getRasterAtlasSpriteData(actionName) // Play the movieClip if it exists and if its spritesheet(ss) is not empty if ((spriteData || {}).movieClip && !_.isEmpty((spriteData || {}).ss)) { const mc = this.movieClips.get(actionName) || new spriteData.movieClip() this.movieClips.set(actionName, mc) mc.framerate = (action.framerate || 20) * (action.speed || 1) this.addChild(mc) mc.play() } else { console.warn(`Sprite data for action ${actionName} not completely loaded/built yet.`, spriteData) } } // needed to render any action that is not inculded in the list of defaultActions in models/ThangType notifyActionNeedsRender (action) { if (this.lank) { this.lank.trigger('action-needs-render', this.lank, action) } } }
{ "content_hash": "51237729dcce08e401402195a75fd950", "timestamp": "", "source": "github", "line_count": 51, "max_line_length": 127, "avg_line_length": 34.372549019607845, "alnum_prop": 0.6628636622932116, "repo_name": "codecombat/codecombat", "id": "a67d8183546939307ff86199b17519768fb59a3f", "size": "1937", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "ozaria/engine/surface/RasterAtlasSprite.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "2646" }, { "name": "CoffeeScript", "bytes": "23295016" }, { "name": "Dockerfile", "bytes": "637" }, { "name": "HTML", "bytes": "6360" }, { "name": "JavaScript", "bytes": "846898" }, { "name": "Pug", "bytes": "1132001" }, { "name": "Python", "bytes": "2570" }, { "name": "Ruby", "bytes": "2045" }, { "name": "SCSS", "bytes": "265115" }, { "name": "Sass", "bytes": "636203" }, { "name": "Shell", "bytes": "5264" }, { "name": "Vue", "bytes": "1801588" } ], "symlink_target": "" }
.. --------------------------------------------------------------------------- .. Copyright 2015 Nervana Systems Inc. .. Licensed under the Apache License, Version 2.0 (the "License"); .. you may not use this file except in compliance with the License. .. You may obtain a copy of the License at .. .. http://www.apache.org/licenses/LICENSE-2.0 .. .. Unless required by applicable law or agreed to in writing, software .. distributed under the License is distributed on an "AS IS" BASIS, .. WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. .. See the License for the specific language governing permissions and .. limitations under the License. .. --------------------------------------------------------------------------- Callbacks ========= Neon provides a callback api for operations performed during model fit. Callbacks are classes that derive from :py:class:`Callback<neon.callbacks.callbacks.Callback>` and implement one or more of the provided on_[train, minibatch, epoch]_[begin, end] functions. A :py:class:`Callbacks<neon.callbacks.callbacks.Callbacks>` object is created once in the experiment definition and provided to model.fit(), which calls each of the callback functions at the appropriate times. Callback implementations are provided for computing cost, displaying runtime state, and saving state or interrupting training based on performance. For a complete list of provided callback implementations see :py:class:`neon.callbacks` In the following example the Callbacks __init__ method takes a reference to the model and train_set object, which are needed by most callbacks. It also takes optional arguments that control creation of other utility callbacks for computing validation cost and displaying a progress bar. .. code-block:: python # configure default callbacks for computing train and validation cost # and displaying a progress bar callbacks = Callbacks(model, train_set, valid_set=valid_set, valid_freq=1, progress_bar=True) # add a callback that saves the best model state callbacks.add_save_best_state_callback("./best_state.pkl") # pass callbacks to model, which calls the callback functions during fit model.fit(train_set, optimizer=opt_gdm, num_epochs=num_epochs, cost=cost, callbacks=callbacks) :py:class:`Callbacks<neon.callbacks.callbacks.Callbacks>` provides a shared data mechanism that allows callbacks to decouple computation of metrics from further processing or consumption of those metrics. For example the :py:class:`ValidationCallback<neon.callbacks.callbacks.ValidationCallback>` produces the validation cross entropy metric at some configurable epoch frequency. This metric is used by the :py:class:`ProgressBarCallback<neon.callbacks.callbacks.ProgressBarCallback>` for display purposes, and by the :py:class:`SaveBestStateCallback<neon.callbacks.callbacks.SaveBestStateCallback>` to decide when to save state. Such decoupling prevents having to recompute the validation cost in several callbacks. Callback shared data can be optionally saved to a file for archival or visualization with the nvis tool. To enable saving the callback data, provide the optional output_file arg to the Callbacks __init__ function. .. code-block:: python # save callback data to disk callbacks = Callbacks(model, train_set, output_file="./data.h5") Users can create their own callbacks by subclassing :py:class:`Callback<neon.callbacks.callbacks.Callback>` and providing a helper function in :py:class:`Callbacks <neon.callbacks.callbacks.Callbacks>` to register it and provide it with a reference to the shared callback data object.
{ "content_hash": "2ab780324e68ecd01fd9850f9da083a4", "timestamp": "", "source": "github", "line_count": 54, "max_line_length": 719, "avg_line_length": 69.25925925925925, "alnum_prop": 0.7344919786096257, "repo_name": "vseledkin/neon", "id": "e2f20756ed25dfc089519ee1fc63c1089d576ab1", "size": "3740", "binary": false, "copies": "10", "ref": "refs/heads/master", "path": "doc/source/callbacks.rst", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "C", "bytes": "4620" }, { "name": "C++", "bytes": "13448" }, { "name": "CSS", "bytes": "810211" }, { "name": "Cuda", "bytes": "87750" }, { "name": "Makefile", "bytes": "8939" }, { "name": "Python", "bytes": "771791" } ], "symlink_target": "" }
if [[ ! -z ${DEBUG_SHELL} ]]; then set -x # Activate the expand mode if DEBUG is anything but empty. fi set -o errexit # Exit if command failed. set -o pipefail # Exit if pipe failed. set -o nounset # Exit if variable not set. die() { echo "${1:-"Unknown Error"}" 1>&2 exit ${2:-1} } # ----------------------------------------------------------------------------- [ -z ${CI_PROJECT_DIR} ] && die "This internal script should only be run by a Gitlab CI runner." [ -z ${GITLAB_SSH_SERVER} ] && die "GITLAB_SSH_SERVER should be defined to run mirror-submodule-update.sh" [ -z ${CI_REPOSITORY_URL} ] && die "CI_REPOSITORY_URL should be defined to run mirror-submodule-update.sh" [ -z ${CI_COMMIT_SHA} ] && die "CI_COMMIT_SHA should be defined to run mirror-submodule-update.sh" DONT_USE_MIRROR=${DONT_USE_MIRROR:-"0"} ERR_CANNOT_UPDATE=13 SCRIPT_DIR=$(dirname -- "${0}") update_submodules() { if [ "${DONT_USE_MIRROR}" = "1" ]; then git submodule update --init --recursive else ${SCRIPT_DIR}/mirror-submodule-update.sh || return $? fi } del_files() { DELETED_FILES=$(mktemp --tmpdir -d tmp_XXXX) # if non-empty [ "$(ls -A .)" ] && ( shopt -s dotglob; mv * "${DELETED_FILES}/" ) trap 'del_files_rollback' ERR } del_files_confirm() { [ -d "${DELETED_FILES}" ] && rm -rf "${DELETED_FILES}" trap ERR } del_files_rollback() { [ "$(ls -A .)" ] && [ "$(ls -A ${DELETED_FILES}/)" ] && ( shopt -s dotglob; rm -rf * ) [ "$(ls -A ${DELETED_FILES}/)" ] && ( shopt -s dotglob; mv "${DELETED_FILES}/"* . ) [ -d "${DELETED_FILES}" ] && rmdir "${DELETED_FILES}" trap ERR } RETRIES=10 # we're in gitlab-ci's build phase, so GET_SOURCES_ATTEMPTS doesn't apply here... # For the first time, we try the fastest way. for try in `seq $RETRIES`; do echo "Trying to add submodules to existing repo..." update_submodules && echo "Fetch strategy submodules succeeded" && exit 0 git submodule foreach --recursive "git reset --hard HEAD && git submodule deinit --force -- . || true" git reset --hard HEAD && git submodule deinit --force -- . || true done # Then we use the clean way. for try in `seq $RETRIES`; do cd ${CI_PROJECT_DIR} # we are probably already here but pays to be certain echo "Trying a clean clone of IDF..." del_files git clone ${CI_REPOSITORY_URL} . && git checkout ${CI_COMMIT_SHA} && update_submodules && echo "Clone strategy succeeded" && del_files_confirm && exit 0 ERR_RES=$? del_files_rollback echo "Clean clone failed..." if [ $ERR_RES -eq $ERR_CANNOT_UPDATE ]; then echo "###" echo "### If you have updated one of the submodules," echo "### you have to synchronize the local mirrors manually" echo "###" echo "### https://gitlab.espressif.cn:6688/idf/esp-idf/wikis/ci-use-guide#submodule-mirroring-for-private-branches" echo "###" die "Failed to clone repo & submodules together" $ERR_RES fi done die "Failed to clone repo & submodules together"
{ "content_hash": "bb62725d7b6cb1a780afb63fecca158a", "timestamp": "", "source": "github", "line_count": 89, "max_line_length": 127, "avg_line_length": 34.842696629213485, "alnum_prop": 0.5965817478232828, "repo_name": "mashaoze/esp-idf", "id": "a332b18e28eaea631f089c13242bb188da4417ea", "size": "3547", "binary": false, "copies": "4", "ref": "refs/heads/master", "path": "tools/ci/get-full-sources.sh", "mode": "33261", "license": "apache-2.0", "language": [ { "name": "Assembly", "bytes": "142861" }, { "name": "C", "bytes": "22799712" }, { "name": "C++", "bytes": "1390945" }, { "name": "CMake", "bytes": "136271" }, { "name": "Inno Setup", "bytes": "8670" }, { "name": "Lex", "bytes": "7270" }, { "name": "Makefile", "bytes": "123250" }, { "name": "Objective-C", "bytes": "41763" }, { "name": "Perl", "bytes": "15204" }, { "name": "Python", "bytes": "701810" }, { "name": "Shell", "bytes": "66203" }, { "name": "Yacc", "bytes": "15875" } ], "symlink_target": "" }
/*************************************************************************/ /* shell.cpp */ /*************************************************************************/ /* This file is part of: */ /* GODOT ENGINE */ /* http://www.godotengine.org */ /*************************************************************************/ /* Copyright (c) 2007-2014 Juan Linietsky, Ariel Manzur. */ /* */ /* Permission is hereby granted, free of charge, to any person obtaining */ /* a copy of this software and associated documentation files (the */ /* "Software"), to deal in the Software without restriction, including */ /* without limitation the rights to use, copy, modify, merge, publish, */ /* distribute, sublicense, and/or sell copies of the Software, and to */ /* permit persons to whom the Software is furnished to do so, subject to */ /* the following conditions: */ /* */ /* The above copyright notice and this permission notice shall be */ /* included in all copies or substantial portions of the Software. */ /* */ /* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, */ /* EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF */ /* MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT.*/ /* IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY */ /* CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, */ /* TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE */ /* SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. */ /*************************************************************************/ #include "shell.h" Shell * Shell::singleton=NULL; Shell * Shell::get_singleton() { return singleton; } Shell::~Shell() { } Shell::Shell() { singleton=this; }
{ "content_hash": "9ef02cdc5a1fc679a3ec22adb160a1b3", "timestamp": "", "source": "github", "line_count": 51, "max_line_length": 75, "avg_line_length": 45.11764705882353, "alnum_prop": 0.44763146458061714, "repo_name": "tomasy23/evertonkrosnodart", "id": "565929eae51839c49a410458df296e1a490d5395", "size": "2301", "binary": false, "copies": "6", "ref": "refs/heads/master", "path": "core/os/shell.cpp", "mode": "33188", "license": "mit", "language": [ { "name": "ActionScript", "bytes": "6955" }, { "name": "Assembly", "bytes": "372147" }, { "name": "C", "bytes": "20628442" }, { "name": "C++", "bytes": "12863935" }, { "name": "CSS", "bytes": "7594" }, { "name": "GDScript", "bytes": "56484" }, { "name": "Java", "bytes": "647757" }, { "name": "JavaScript", "bytes": "5802" }, { "name": "Makefile", "bytes": "920" }, { "name": "Matlab", "bytes": "2076" }, { "name": "Objective-C", "bytes": "112245" }, { "name": "Objective-C++", "bytes": "115322" }, { "name": "Perl", "bytes": "1930423" }, { "name": "Python", "bytes": "105642" }, { "name": "Shell", "bytes": "3815" }, { "name": "eC", "bytes": "3710" } ], "symlink_target": "" }
class AddStartAtToReservations < ActiveRecord::Migration def change add_column :reservations, :start_at, :datetime end end
{ "content_hash": "600bb468af4ce81dfea1ed17462684e3", "timestamp": "", "source": "github", "line_count": 5, "max_line_length": 56, "avg_line_length": 26.2, "alnum_prop": 0.7709923664122137, "repo_name": "santi-git/smart_parking", "id": "94389f115528ce7f7d823878fb1f167afcc42bb2", "size": "131", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "db/migrate/20160701222532_add_start_at_to_reservations.rb", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "702" }, { "name": "CoffeeScript", "bytes": "2271" }, { "name": "HTML", "bytes": "20598" }, { "name": "Ruby", "bytes": "53780" } ], "symlink_target": "" }
var spamroom = Rooms.get('spamroom'); if (!spamroom) { Rooms.global.addChatRoom('Spam Room'); spamroom = Rooms.get('spamroom'); spamroom.isPrivate = true; if (spamroom.chatRoomData) { spamroom.chatRoomData.isPrivate = true; spamroom.addedUsers = spamroom.chatRoomData.addedUsers = {}; Rooms.global.writeChatRoomData(); } else { spamroom.addedUsers = {}; } } if (Object.size(spamroom.addedUsers) > 0) spamroom.add("||Loaded user list: " + Object.keys(spamroom.addedUsers).sort().join(", ")); exports.room = spamroom; function getAllAlts(user) { var targets = {}; if (typeof user === 'string') targets[toId(user)] = 1; else user.getAlts().concat(user.name).forEach(function (alt) { targets[toId(alt)] = 1; Object.keys(Users.get(alt).prevNames).forEach(function (name) { targets[toId(name)] = 1; }); }); return targets; } exports.addUser = function (user) { var targets = getAllAlts(user); for (var u in targets) if (spamroom.addedUsers[u]) delete targets[u]; else spamroom.addedUsers[u] = 1; Rooms.global.writeChatRoomData(); targets = Object.keys(targets).sort(); if (targets.length > 0) spamroom.add("||Added users: " + targets.join(", ")); return targets; }; exports.removeUser = function (user) { var targets = getAllAlts(user); for (var u in targets) if (!spamroom.addedUsers[u]) delete targets[u]; else delete spamroom.addedUsers[u]; Rooms.global.writeChatRoomData(); targets = Object.keys(targets).sort(); if (targets.length > 0) spamroom.add("||Removed users: " + targets.join(", ")); return targets; }; exports.isSpamroomed = function (user) { var targets = getAllAlts(user); if (Object.keys(targets).intersect(Object.keys(spamroom.addedUsers)).length === 0) return false; var addedUsers = {}; Array.prototype.exclude.apply(Object.keys(targets), Object.keys(spamroom.addedUsers)).forEach(function (user) { if (spamroom.addedUsers[user]) return; spamroom.addedUsers[user] = addedUsers[user] = 1; }); if (Object.size(addedUsers) > 0) { Rooms.global.writeChatRoomData(); spamroom.add("||Alts automatically added: " + Object.keys(addedUsers).sort().join(", ")); } return true; };
{ "content_hash": "a2f071d967d78f88159701e06d13e65e", "timestamp": "", "source": "github", "line_count": 80, "max_line_length": 112, "avg_line_length": 27.3375, "alnum_prop": 0.6844993141289437, "repo_name": "iFaZe/SilverZ", "id": "27a5ca0346d77ac0df6017db6175d1ac278f7ef0", "size": "2187", "binary": false, "copies": "5", "ref": "refs/heads/master", "path": "spamroom.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "69283" }, { "name": "JavaScript", "bytes": "4219165" } ], "symlink_target": "" }
from amaranth import * from amaranth_cfu import InstructionBase, InstructionTestBase, simple_cfu, CfuTestBase import unittest # See proj_example for further example instructions class TemplateInstruction(InstructionBase): """Template instruction """ def elab(self, m): with m.If(self.start): m.d.sync += self.output.eq(self.in0 + self.in1) m.d.sync += self.done.eq(1) with m.Else(): m.d.sync += self.done.eq(0) class TemplateInstructionTest(InstructionTestBase): def create_dut(self): return TemplateInstruction() def test(self): self.verify([ (0, 0, 0), (4, 5, 9), (0xffffffff, 0xffffffff, 0xfffffffe), ]) def make_cfu(): return simple_cfu({ # Add instructions here... 0: TemplateInstruction(), }) class CfuTest(CfuTestBase): def create_dut(self): return make_cfu() def test(self): DATA = [ # Test CFU calls here... ((0, 22, 22), 44), ] return self.run_ops(DATA) if __name__ == '__main__': unittest.main()
{ "content_hash": "001c4e4d897f36aae6f793862a402e66", "timestamp": "", "source": "github", "line_count": 52, "max_line_length": 86, "avg_line_length": 22.01923076923077, "alnum_prop": 0.5694323144104804, "repo_name": "google/CFU-Playground", "id": "3761c1231e17abc25f98e9edf17bf6e42f1f62ee", "size": "1739", "binary": false, "copies": "2", "ref": "refs/heads/main", "path": "proj/proj_template/cfu.py", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Assembly", "bytes": "3800" }, { "name": "C", "bytes": "449862" }, { "name": "C++", "bytes": "4931362" }, { "name": "CMake", "bytes": "976" }, { "name": "Dockerfile", "bytes": "1026" }, { "name": "Jupyter Notebook", "bytes": "35820" }, { "name": "Makefile", "bytes": "40046" }, { "name": "Python", "bytes": "1764584" }, { "name": "RobotFramework", "bytes": "6125" }, { "name": "Scala", "bytes": "18649" }, { "name": "Shell", "bytes": "25687" }, { "name": "SystemVerilog", "bytes": "6923" }, { "name": "Verilog", "bytes": "6884686" } ], "symlink_target": "" }
from django.conf.urls import include, url from . import views urlpatterns = [ url(r'^$', views.index, name="index"), url(r'^about', views.about, name="about"), url(r'^settings', views.settings, name="settings") ]
{ "content_hash": "2d26ef7b4f10eaed11b427c2c06b8308", "timestamp": "", "source": "github", "line_count": 8, "max_line_length": 54, "avg_line_length": 28.25, "alnum_prop": 0.6548672566371682, "repo_name": "signalw/charliechat", "id": "0a7ac96f08e86fcc7b4bad353b5de6025053de11", "size": "226", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "main/urls.py", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "12395" }, { "name": "HTML", "bytes": "9118" }, { "name": "JavaScript", "bytes": "2510" }, { "name": "Python", "bytes": "97132" } ], "symlink_target": "" }
/* * MainGUIApp.java * * Created on August 2, 2006, 8:02 PM * * To change this template, choose Tools | Template Manager * and open the template in the editor. */ package ebay.client; /** * * @author Elancheran */ import ebay.apis.*; import javax.xml.ws.*; import javax.swing.*; import java.awt.event.*; import java.util.Properties; import java.io.*; import java.util.List; import java.util.Vector; import ebay.client.handler.RequesterCredentials; import javax.xml.ws.handler.Handler; public class MainGUIApp extends javax.swing.JFrame{ private static final String baseURL = "https://api.ebay.com/wsapi?"; private static final String localURL = "http://localhost:7070/Ebay"; private static final String sandboxURL = "https://api.sandbox.ebay.com/wsapi?"; private static Properties props = new Properties(); private static CustomSecurityHeaderType header; private java.awt.image.BufferedImage image = null; private String itemDetailString; private String itemId; private String[] details = new String[5]; private String[] values = new String[5]; private String desc; private boolean multiTabView = false; /** Creates a new instance of MainGUIApp */ public MainGUIApp() { super("Web Services Ebay Client"); try { UIManager.setLookAndFeel(UIManager.getSystemLookAndFeelClassName()); if(System.getProperty("http.proxyHost") != null && System.getProperty("http.proxyPort") != null) { this.proxyHostString = System.getProperty("http.proxyHost"); this.proxyPortString = System.getProperty("http.proxyPort"); } }catch(Exception e) { } initComponents(); } public static ItemType getItem(String endpointToUse, String itemId) { boolean error = false; String endpointURL = ""; EBayAPIInterfaceService svc = new EBayAPIInterfaceService(); EBayAPIInterface port = svc.getEBayAPI(); BindingProvider bp = (BindingProvider) port; if (endpointToUse.equalsIgnoreCase("ebay")) { endpointURL = baseURL + "callname=GetItem&siteid=0&appid=" + (String)props.get("appID") + "&version=455&Routing=new"; List<Handler> handlerChain = new Vector(); handlerChain.add(new RequesterCredentials()); bp.getBinding().setHandlerChain(handlerChain); } else if(endpointToUse.equalsIgnoreCase("local")) { endpointURL = localURL; } else { System.exit(1); } bp.getRequestContext().put(BindingProvider.ENDPOINT_ADDRESS_PROPERTY, endpointURL); GetItemRequestType itemRequest = new GetItemRequestType(); itemRequest.setVersion("455"); itemRequest.setItemID(itemId); itemRequest.setErrorLanguage("en_US"); GetItemResponseType itemResponse = null; try { itemResponse = port.getItem(itemRequest); }catch (Exception e) { error = true; } if (error) { return null; } else return itemResponse.getItem(); } public static void setProxyHost(String proxyHost){ proxyHostString = proxyHost; } public static void setProxyPort(String proxyPort){ proxyPortString = proxyPort; } public static String getProxyPort() { return proxyPortString; } public static String getProxyHost() { return proxyHostString; } private void initComponents() { jPanel2 = new javax.swing.JPanel(); jPanel2.setBackground(new java.awt.Color(236,233,216)); jTextField1 = new javax.swing.JTextField(); jComboBox1 = new javax.swing.JComboBox(); jLabel1 = new javax.swing.JLabel(); jLabel2 = new javax.swing.JLabel(); jPanel3 = new javax.swing.JPanel(); jPanel3.setBackground(new java.awt.Color(236,233,216)); jButton1 = new javax.swing.JButton(); jMenuBar1 = new javax.swing.JMenuBar(); jMenu1 = new javax.swing.JMenu(); jMenu2 = new javax.swing.JMenu(); jMenuItem1 = new javax.swing.JMenuItem(); jMenu3 = new javax.swing.JMenu(); jMenuItem2 = new javax.swing.JMenuItem(); setDefaultCloseOperation(javax.swing.WindowConstants.EXIT_ON_CLOSE); setResizable(false); getContentPane().setBackground(new java.awt.Color(236, 233, 216)); jComboBox1.setFont(new java.awt.Font("Verdana", 0, 12)); jComboBox1.setModel(new javax.swing.DefaultComboBoxModel(new String[] { "Ebay Server", "Local Server" })); jLabel1.setFont(new java.awt.Font("Verdana", 0, 12)); jLabel1.setText("Item Id"); jLabel2.setFont(new java.awt.Font("Verdana", 0, 12)); jLabel2.setText("Server"); javax.swing.GroupLayout jPanel2Layout = new javax.swing.GroupLayout(jPanel2); jPanel2.setLayout(jPanel2Layout); jPanel2Layout.setHorizontalGroup( jPanel2Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING) .addGroup(javax.swing.GroupLayout.Alignment.TRAILING, jPanel2Layout.createSequentialGroup() .addGap(50, 50, 50) .addGroup(jPanel2Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING, false) .addComponent(jLabel2, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, Short.MAX_VALUE) .addComponent(jLabel1, javax.swing.GroupLayout.DEFAULT_SIZE, 77, Short.MAX_VALUE)) .addPreferredGap(javax.swing.LayoutStyle.ComponentPlacement.RELATED) .addGroup(jPanel2Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING) .addComponent(jComboBox1, 0, 113, Short.MAX_VALUE) .addComponent(jTextField1, javax.swing.GroupLayout.DEFAULT_SIZE, 113, Short.MAX_VALUE)) .addContainerGap()) ); jPanel2Layout.setVerticalGroup( jPanel2Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING) .addGroup(jPanel2Layout.createSequentialGroup() .addGap(23, 23, 23) .addGroup(jPanel2Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.BASELINE) .addComponent(jLabel1) .addComponent(jTextField1, javax.swing.GroupLayout.PREFERRED_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.PREFERRED_SIZE)) .addGap(15, 15, 15) .addGroup(jPanel2Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.BASELINE) .addComponent(jLabel2) .addComponent(jComboBox1, javax.swing.GroupLayout.PREFERRED_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.PREFERRED_SIZE)) .addContainerGap(22, Short.MAX_VALUE)) ); jButton1.setFont(new java.awt.Font("Verdana", 0, 12)); jButton1.setText("Get Details"); jButton1.setMnemonic('G'); jButton1.addActionListener(new java.awt.event.ActionListener() { public void actionPerformed(java.awt.event.ActionEvent evt) { jButton1ActionPerformed(evt); } }); javax.swing.GroupLayout jPanel3Layout = new javax.swing.GroupLayout(jPanel3); jPanel3.setLayout(jPanel3Layout); jPanel3Layout.setHorizontalGroup( jPanel3Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING) .addGroup(jPanel3Layout.createSequentialGroup() .addGap(164, 164, 164) .addComponent(jButton1) .addContainerGap(164, Short.MAX_VALUE)) ); jPanel3Layout.setVerticalGroup( jPanel3Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING) .addGroup(jPanel3Layout.createSequentialGroup() .addContainerGap() .addComponent(jButton1) .addContainerGap(86, Short.MAX_VALUE)) ); jMenu1.setText("File"); jMenu1.setMnemonic('F'); jMenuItem1.setText("Exit"); jMenu1.add(jMenuItem1); jMenuItem1.setMnemonic('x'); jMenuItem1.addActionListener(new ActionListener(){ public void actionPerformed(ActionEvent ae) { exitApplication(); } }); jMenuBar1.add(jMenu1); jMenu3.setText("Edit"); jMenu3.setMnemonic('E'); jMenuItem2.setText("Preferences"); jMenuItem2.setMnemonic('P'); jMenuItem2.addActionListener(new ActionListener() { public void actionPerformed(ActionEvent ae){ showPreferencesDialog(); } }); jMenu3.add(jMenuItem2); jMenuBar1.add(jMenu3); setJMenuBar(jMenuBar1); javax.swing.GroupLayout layout = new javax.swing.GroupLayout(getContentPane()); getContentPane().setLayout(layout); layout.setHorizontalGroup( layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING) .addGroup(layout.createSequentialGroup() .addGap(76, 76, 76) .addComponent(jPanel2, javax.swing.GroupLayout.PREFERRED_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.PREFERRED_SIZE) .addContainerGap(93, Short.MAX_VALUE)) .addGroup(javax.swing.GroupLayout.Alignment.TRAILING, layout.createSequentialGroup() .addContainerGap(javax.swing.GroupLayout.DEFAULT_SIZE, Short.MAX_VALUE) .addComponent(jPanel3, javax.swing.GroupLayout.PREFERRED_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.PREFERRED_SIZE)) ); layout.setVerticalGroup( layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING) .addGroup(layout.createSequentialGroup() .addGap(80, 80, 80) .addComponent(jPanel2, javax.swing.GroupLayout.PREFERRED_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.PREFERRED_SIZE) .addPreferredGap(javax.swing.LayoutStyle.ComponentPlacement.RELATED, javax.swing.GroupLayout.DEFAULT_SIZE, Short.MAX_VALUE) .addComponent(jPanel3, javax.swing.GroupLayout.PREFERRED_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.PREFERRED_SIZE)) ); pack(); }// </editor-fold> public static void showMessageDialog(final java.awt.Container parent, final String msg, final String title) { SwingUtilities.invokeLater(new Runnable() { public void run(){ javax.swing.JOptionPane.showMessageDialog(parent, msg, title, javax.swing.JOptionPane.WARNING_MESSAGE); } }); } private void jButton1ActionPerformed(java.awt.event.ActionEvent evt) { // TODO add your handling code here: String currency = null; java.lang.Object source = evt.getSource(); if( source == jButton1 ) { String str = (String) jComboBox1.getSelectedItem(); if( str.equals("Ebay Server")){ if( this.proxyHostString != null && this.proxyPortString != null ){ System.setProperty("http.proxyHost", this.proxyHostString); System.setProperty("http.proxyPort", this.proxyPortString); System.setProperty("https.proxyHost", this.proxyHostString); System.setProperty("https.proxyPort", this.proxyPortString); } } String itemId = jTextField1.getText(); if(itemId == null || itemId.equals("")) { showMessageDialog(jPanel2, "Please enter the ItemId...", "ItemId Required..."); } else { this.setCursor(new java.awt.Cursor(java.awt.Cursor.WAIT_CURSOR)); if(str.equals("Ebay Server")) str = "ebay"; else str = "local"; ItemType item = getItem(str, itemId.trim()); if (item == null) { showMessageDialog(jPanel2, "Sorry there is no item found...", "Item Not Found..."); } else { new ViewItemDetails(itemId, item); jTextField1.setText(""); } this.setCursor(new java.awt.Cursor(java.awt.Cursor.DEFAULT_CURSOR)); } } } /** * @param args the command line arguments */ public static void main(String args[]) { java.awt.EventQueue.invokeLater(new Runnable() { public void run() { new MainGUIApp().setVisible(true); } }); } public void exitApplication() { dispose(); System.exit(0); } public void showPreferencesDialog() { SwingUtilities.invokeLater(new Runnable() { public void run(){ new SettingsDialog().setVisible(true); } }); } class SettingsDialog extends javax.swing.JDialog implements ActionListener { public SettingsDialog() { super((JFrame)MainGUIApp.this, "Preferences...", true); setLocationRelativeTo((JFrame)MainGUIApp.this); initComponents(); createGUI(); } private void initComponents(){ jTabbedPane1 = new javax.swing.JTabbedPane(); proxySettingsPanel = new javax.swing.JPanel(); directRadioButton = new javax.swing.JRadioButton(); proxyRadioButton = new javax.swing.JRadioButton(); proxyHostLabel = new javax.swing.JLabel(); proxyHostTxtField = new javax.swing.JTextField(); proxyPortLabel = new javax.swing.JLabel(); proxyPortTxtField = new javax.swing.JTextField(); setDefaultCloseOperation(javax.swing.WindowConstants.DISPOSE_ON_CLOSE); setResizable(false); proxyHostLabel.setFont(new java.awt.Font("Verdana", 0, 12)); proxyPortLabel.setFont(new java.awt.Font("Verdana", 0, 12)); directRadioButton.setFont(new java.awt.Font("Verdana", 0, 12)); proxyRadioButton.setFont(new java.awt.Font("Verdana", 0, 12)); if(MainGUIApp.getProxyHost() != null && MainGUIApp.getProxyPort() != null) { proxyRadioButton.setSelected(true); proxyHostTxtField.setText(MainGUIApp.getProxyHost()); proxyPortTxtField.setText(MainGUIApp.getProxyPort()); } else { directRadioButton.setSelected(true); proxyPortTxtField.setEnabled(false); proxyHostTxtField.setEnabled(false); } jTabbedPane1.setToolTipText("Proxy Settings..."); jTabbedPane1.setName("Network"); directRadioButton.setText("Direct Internet Connection"); //directRadioButton.setSelected(true); directRadioButton.setBorder(javax.swing.BorderFactory.createEmptyBorder(0, 0, 0, 0)); directRadioButton.setMargin(new java.awt.Insets(0, 0, 0, 0)); directRadioButton.addActionListener(this); proxyRadioButton.setText("User Network HTTP Proxy Settings"); proxyRadioButton.setToolTipText("Network Proxy Required..."); proxyRadioButton.setBorder(javax.swing.BorderFactory.createEmptyBorder(0, 0, 0, 0)); proxyRadioButton.setMargin(new java.awt.Insets(0, 0, 0, 0)); proxyRadioButton.setName("proxyRadioButton"); proxyRadioButton.addActionListener(this); ButtonGroup networkButtonGroup = new ButtonGroup(); networkButtonGroup.add(directRadioButton); networkButtonGroup.add(proxyRadioButton); proxyHostLabel.setText("Proxy Host"); proxyPortLabel.setText("Port"); bottomPanel = new javax.swing.JPanel(); cancel = new javax.swing.JButton(); ok = new javax.swing.JButton(); cancel.setText("Cancel"); cancel.setMnemonic('C'); ok.setText("Ok"); ok.setMnemonic('O'); ok.addActionListener(this); cancel.addActionListener(this); } private void createGUI() { javax.swing.GroupLayout proxySettingsPanelLayout = new javax.swing.GroupLayout(proxySettingsPanel); proxySettingsPanel.setLayout(proxySettingsPanelLayout); proxySettingsPanelLayout.setHorizontalGroup( proxySettingsPanelLayout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING) .addGroup(proxySettingsPanelLayout.createSequentialGroup() .addGap(38, 38, 38) .addGroup(proxySettingsPanelLayout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING) .addGroup(proxySettingsPanelLayout.createSequentialGroup() .addGroup(proxySettingsPanelLayout.createParallelGroup(javax.swing.GroupLayout.Alignment.TRAILING, false) .addComponent(proxyPortLabel, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, Short.MAX_VALUE) .addComponent(proxyHostLabel, javax.swing.GroupLayout.DEFAULT_SIZE, 71, Short.MAX_VALUE)) .addPreferredGap(javax.swing.LayoutStyle.ComponentPlacement.RELATED) .addGroup(proxySettingsPanelLayout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING) .addComponent(proxyPortTxtField, javax.swing.GroupLayout.PREFERRED_SIZE, 83, javax.swing.GroupLayout.PREFERRED_SIZE) .addComponent(proxyHostTxtField, javax.swing.GroupLayout.PREFERRED_SIZE, 147, javax.swing.GroupLayout.PREFERRED_SIZE))) .addComponent(proxyRadioButton) .addComponent(directRadioButton)) .addContainerGap(54, Short.MAX_VALUE)) ); proxySettingsPanelLayout.setVerticalGroup( proxySettingsPanelLayout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING) .addGroup(proxySettingsPanelLayout.createSequentialGroup() .addGap(19, 19, 19) .addComponent(directRadioButton) .addPreferredGap(javax.swing.LayoutStyle.ComponentPlacement.RELATED) .addComponent(proxyRadioButton) .addGap(18, 18, 18) .addGroup(proxySettingsPanelLayout.createParallelGroup(javax.swing.GroupLayout.Alignment.BASELINE) .addComponent(proxyHostTxtField, javax.swing.GroupLayout.PREFERRED_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.PREFERRED_SIZE) .addComponent(proxyHostLabel)) .addGap(14, 14, 14) .addGroup(proxySettingsPanelLayout.createParallelGroup(javax.swing.GroupLayout.Alignment.BASELINE) .addComponent(proxyPortTxtField, javax.swing.GroupLayout.PREFERRED_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.PREFERRED_SIZE) .addComponent(proxyPortLabel)) .addContainerGap(38, Short.MAX_VALUE)) ); jTabbedPane1.addTab("Network", proxySettingsPanel); getContentPane().add(jTabbedPane1, java.awt.BorderLayout.CENTER); jTabbedPane1.getAccessibleContext().setAccessibleName("Widnow Settings"); javax.swing.GroupLayout bottomPanelLayout = new javax.swing.GroupLayout(bottomPanel); bottomPanel.setLayout(bottomPanelLayout); bottomPanelLayout.setHorizontalGroup( bottomPanelLayout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING) .addGroup(javax.swing.GroupLayout.Alignment.TRAILING, bottomPanelLayout.createSequentialGroup() .addContainerGap(175, Short.MAX_VALUE) .addComponent(ok) .addGap(14, 14, 14) .addComponent(cancel) .addContainerGap()) ); bottomPanelLayout.setVerticalGroup( bottomPanelLayout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING) .addGroup(bottomPanelLayout.createParallelGroup(javax.swing.GroupLayout.Alignment.BASELINE) .addComponent(ok, javax.swing.GroupLayout.PREFERRED_SIZE, 23, javax.swing.GroupLayout.PREFERRED_SIZE) .addComponent(cancel, javax.swing.GroupLayout.PREFERRED_SIZE, 23, javax.swing.GroupLayout.PREFERRED_SIZE)) ); getContentPane().add(bottomPanel, java.awt.BorderLayout.SOUTH); pack(); }// </editor-fold> public void actionPerformed(ActionEvent ae) { Object source = ae.getSource(); if(ok == source && proxyRadioButton.isSelected()) { String hostName = proxyHostTxtField.getText(); String port = proxyPortTxtField.getText(); if( hostName.equals("") || port.equals("")) { MainGUIApp.showMessageDialog(this, "Enter the proxy host/port properly...", "Proxy Details Required..."); } else { MainGUIApp.setProxyHost(hostName.trim()); MainGUIApp.setProxyPort(port.trim()); System.setProperty("http.proxyHost", hostName.trim()); System.setProperty("http.proxyPort", port.trim()); System.setProperty("https.proxyHost", hostName.trim()); System.setProperty("https.proxyPort", port.trim()); dispose(); } //dispose(); } else if( source == ok) { dispose(); } if( cancel == source ) { dispose(); } if(source == directRadioButton) { proxyPortTxtField.setEnabled(false); proxyHostTxtField.setEnabled(false); System.setProperty("http.proxyHost", ""); System.setProperty("http.proxyPort", ""); } if(source == proxyRadioButton){ proxyPortTxtField.setEnabled(true); proxyHostTxtField.setEnabled(true); } } //Settings Dialog Variables private javax.swing.JRadioButton directRadioButton; private javax.swing.JPanel proxySettingsPanel; private javax.swing.JTabbedPane jTabbedPane1; private javax.swing.JLabel proxyHostLabel; private javax.swing.JTextField proxyHostTxtField; private javax.swing.JLabel proxyPortLabel; private javax.swing.JTextField proxyPortTxtField; private javax.swing.JRadioButton proxyRadioButton; private javax.swing.JPanel bottomPanel; private javax.swing.JButton cancel; private javax.swing.JButton ok; } // Variables declaration - do not modify private javax.swing.JMenu jMenu1; private javax.swing.JMenu jMenu2; private javax.swing.JMenu jMenu3; private javax.swing.JMenuBar jMenuBar1; private javax.swing.JMenuItem jMenuItem1; private javax.swing.JMenuItem jMenuItem2; private javax.swing.JButton jButton1; private javax.swing.JComboBox jComboBox1; private javax.swing.JLabel jLabel1; private javax.swing.JLabel jLabel2; private javax.swing.JPanel jPanel2; private javax.swing.JPanel jPanel3; private javax.swing.JTextField jTextField1; // End of variables declaration private static String proxyHostString = null; private static String proxyPortString = null; }
{ "content_hash": "c4f43e5e60beb333ac8d68003ca3da09", "timestamp": "", "source": "github", "line_count": 543, "max_line_length": 170, "avg_line_length": 44.58747697974217, "alnum_prop": 0.6217834868448227, "repo_name": "simon-jlc/jdk8samples", "id": "e6ffd8888cc0a8ad52687741b3a401d04d4d44cd", "size": "24211", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "webservices/EbayClient/src/ebay/client/MainGUIApp.java", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "D", "bytes": "68318" }, { "name": "Java", "bytes": "676058" }, { "name": "JavaScript", "bytes": "72323" }, { "name": "Shell", "bytes": "3526" } ], "symlink_target": "" }
<?php use DTS\eBaySDK\Trading\Types\GetStoreOptionsResponseType; class GetStoreOptionsResponseTypeTest extends \PHPUnit_Framework_TestCase { private $obj; protected function setUp() { $this->obj = new GetStoreOptionsResponseType(); } public function testCanBeCreated() { $this->assertInstanceOf('\DTS\eBaySDK\Trading\Types\GetStoreOptionsResponseType', $this->obj); } public function testExtendsAbstractResponseType() { $this->assertInstanceOf('\DTS\eBaySDK\Trading\Types\AbstractResponseType', $this->obj); } }
{ "content_hash": "683baaf206e9add1948adcb8948239d0", "timestamp": "", "source": "github", "line_count": 23, "max_line_length": 102, "avg_line_length": 25.26086956521739, "alnum_prop": 0.7074010327022375, "repo_name": "spoilie/ebay-sdk-trading", "id": "2153423f2d64fa9e22e8452015d5d0e9268d1150", "size": "581", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "test/DTS/eBaySDK/Trading/Types/GetStoreOptionsResponseTypeTest.php", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Makefile", "bytes": "1963" }, { "name": "PHP", "bytes": "3778863" } ], "symlink_target": "" }
<?xml version="1.0" encoding="UTF-8"?> <!-- config.xml reference: https://build.phonegap.com/docs/config-xml --> <widget xmlns = "http://www.w3.org/ns/widgets" xmlns:gap = "http://phonegap.com/ns/1.0" id = "com.phonegap.hello-world" version = "1.0.0"> <name>Hello World</name> <description> Hello World sample application that responds to the deviceready event. </description> <author href="http://phonegap.com" email="[email protected]"> PhoneGap Team </author> <!-- If you do not want any permissions to be added to your app, add the following tag to your config.xml; you will still have the INTERNET permission on your app, which PhoneGap requires. --> <preference name="permissions" value="none"/> <!-- Customize your app and platform with the preference element. --> <preference name="phonegap-version" value="3.4.0" /> <!-- all: current version of PhoneGap --> <preference name="orientation" value="default" /> <!-- all: default means both landscape and portrait are enabled --> <preference name="target-device" value="universal" /> <!-- all: possible values handset, tablet, or universal --> <preference name="fullscreen" value="true" /> <!-- all: hides the status bar at the top of the screen --> <preference name="webviewbounce" value="true" /> <!-- ios: control whether the screen 'bounces' when scrolled beyond the top --> <preference name="prerendered-icon" value="true" /> <!-- ios: if icon is prerendered, iOS will not apply it's gloss to the app's icon on the user's home screen --> <preference name="stay-in-webview" value="false" /> <!-- ios: external links should open in the default browser, 'true' would use the webview the app lives in --> <preference name="ios-statusbarstyle" value="black-opaque" /> <!-- ios: black-translucent will appear black because the PhoneGap webview doesn't go beneath the status bar --> <preference name="detect-data-types" value="true" /> <!-- ios: controls whether data types (such as phone no. and dates) are automatically turned into links by the system --> <preference name="exit-on-suspend" value="false" /> <!-- ios: if set to true, app will terminate when home button is pressed --> <preference name="show-splash-screen-spinner" value="true" /> <!-- ios: if set to false, the spinner won't appear on the splash screen during app loading --> <preference name="auto-hide-splash-screen" value="true" /> <!-- ios: if set to false, the splash screen must be hidden using a JavaScript API --> <preference name="disable-cursor" value="false" /> <!-- blackberry: prevents a mouse-icon/cursor from being displayed on the app --> <preference name="android-minSdkVersion" value="7" /> <!-- android: MIN SDK version supported on the target device. MAX version is blank by default. --> <preference name="android-installLocation" value="auto" /> <!-- android: app install location. 'auto' will choose. 'internalOnly' is device memory. 'preferExternal' is SDCard. --> <!-- Plugins --> <!-- Core plugins --> <gap:plugin name="org.apache.cordova.battery-status" /> <gap:plugin name="org.apache.cordova.camera" /> <gap:plugin name="org.apache.cordova.media-capture" /> <gap:plugin name="org.apache.cordova.console" /> <gap:plugin name="org.apache.cordova.contacts" /> <gap:plugin name="org.apache.cordova.device" /> <gap:plugin name="org.apache.cordova.device-motion" /> <gap:plugin name="org.apache.cordova.device-orientation" /> <gap:plugin name="org.apache.cordova.dialogs" /> <gap:plugin name="org.apache.cordova.file" /> <gap:plugin name="org.apache.cordova.file-transfer" /> <gap:plugin name="org.apache.cordova.geolocation" /> <gap:plugin name="org.apache.cordova.globalization" /> <gap:plugin name="org.apache.cordova.inappbrowser" /> <gap:plugin name="org.apache.cordova.media" /> <gap:plugin name="org.apache.cordova.network-information" /> <gap:plugin name="org.apache.cordova.splashscreen" /> <gap:plugin name="org.apache.cordova.vibration" /> <!-- Third party plugins --> <!-- A list of available plugins are available at https://build.phonegap.com/plugins --> <!-- <gap:plugin name="com.phonegap.plugins.barcodescanner" /> --> <!-- Define app icon for each platform. This is a relative path to config.xml. For e.g. if you place an icon.png inside res folder, you should modify the src in the following setting to "res/icon.png" --> <icon src="icon.png" /> <icon src="res/icon/android/icon-36-ldpi.png" gap:platform="android" gap:qualifier="ldpi" /> <icon src="res/icon/android/icon-48-mdpi.png" gap:platform="android" gap:qualifier="mdpi" /> <icon src="res/icon/android/icon-72-hdpi.png" gap:platform="android" gap:qualifier="hdpi" /> <icon src="res/icon/android/icon-96-xhdpi.png" gap:platform="android" gap:qualifier="xhdpi" /> <icon src="res/icon/blackberry/icon-80.png" gap:platform="blackberry" /> <icon src="res/icon/blackberry/icon-80.png" gap:platform="blackberry" gap:state="hover"/> <icon src="res/icon/ios/icon-57.png" gap:platform="ios" width="57" height="57" /> <icon src="res/icon/ios/icon-72.png" gap:platform="ios" width="72" height="72" /> <icon src="res/icon/ios/icon-57-2x.png" gap:platform="ios" width="114" height="114" /> <icon src="res/icon/ios/icon-72-2x.png" gap:platform="ios" width="144" height="144" /> <icon src="res/icon/webos/icon-64.png" gap:platform="webos" /> <icon src="res/icon/windows-phone/icon-48.png" gap:platform="winphone" /> <icon src="res/icon/windows-phone/icon-173.png" gap:platform="winphone" gap:role="background" /> <!-- Define app splash screen for each platform. --> <gap:splash src="res/screen/android/screen-ldpi-portrait.png" gap:platform="android" gap:qualifier="port-ldpi" /> <gap:splash src="res/screen/android/screen-mdpi-portrait.png" gap:platform="android" gap:qualifier="port-mdpi" /> <gap:splash src="res/screen/android/screen-hdpi-portrait.png" gap:platform="android" gap:qualifier="port-hdpi" /> <gap:splash src="res/screen/android/screen-xhdpi-portrait.png" gap:platform="android" gap:qualifier="port-xhdpi" /> <gap:splash src="res/screen/blackberry/screen-225.png" gap:platform="blackberry" /> <gap:splash src="res/screen/ios/screen-iphone-portrait.png" gap:platform="ios" width="320" height="480" /> <gap:splash src="res/screen/ios/screen-iphone-portrait-2x.png" gap:platform="ios" width="640" height="960" /> <gap:splash src="res/screen/ios/screen-iphone-portrait-568h-2x.png" gap:platform="ios" width="640" height="1136" /> <gap:splash src="res/screen/ios/screen-ipad-portrait.png" gap:platform="ios" width="768" height="1024" /> <gap:splash src="res/screen/ios/screen-ipad-landscape.png" gap:platform="ios" width="1024" height="768" /> <gap:splash src="res/screen/windows-phone/screen-portrait.jpg" gap:platform="winphone" /> <!-- Define access to external domains. <access /> - a blank access tag denies access to all external resources. <access origin="*" /> - a wildcard access tag allows access to all external resource. Otherwise, you can specify specific domains: --> <access origin="*"/> <!-- <access origin="http://phonegap.com" /> - allow any secure requests to http://phonegap.com/ <access origin="http://phonegap.com" subdomains="true" /> - same as above, but including subdomains, such as http://build.phonegap.com/ <access origin="http://phonegap.com" browserOnly="true" /> - only allows http://phonegap.com to be opened by the child browser. --> </widget>
{ "content_hash": "2d85f0d8875e7e75cb813feafe47aba0", "timestamp": "", "source": "github", "line_count": 117, "max_line_length": 197, "avg_line_length": 70.97435897435898, "alnum_prop": 0.6372832369942196, "repo_name": "2011uit1719/phonegap-start", "id": "2335879b92dd9dc34a96ccd2604ab466b75103d5", "size": "8304", "binary": false, "copies": "5", "ref": "refs/heads/master", "path": "www/config.xml", "mode": "33188", "license": "apache-2.0", "language": [], "symlink_target": "" }
<html> <body> Reports classes, methods, or fields in the specified inspection scope that are not used or unreachable from entry points. <p> An entry point can be the main method, tests, classes mentioned outside the specified scope, classes accessible from <code>module-info.java</code>, and so on. You can also configure custom entry points by using name patterns or annotations. <p><b>Example:</b></p> <pre><code> public class Department { private Organization myOrganization; } </code></pre> <p>In this example, <code>Department</code> explicitly references <code>Organization</code> but if <code>Department</code> class itself is unused, then inspection will report both classes. </p> <p> The inspection also reports parameters that are not used by their methods and all method implementations and overriders, as well as local variables that are declared but not used. </p> <p> <b>Note:</b> Some unused members may not be reported during in-editor code highlighting. For performance reasons, a non-private member is checked only when its name rarely occurs in the project. To see all results, run the inspection by selecting <b>Code | Inspect Code</b> or <b>Code | Analyze Code | Run Inspection by Name</b> from the main menu. </p> <!-- tooltip end --> <p>Use the visibility settings below to configure members to be reported. For example, configuring report <code>private</code> methods only means that <code>public</code> methods of <code>private</code> inner class will be reported but <code>protected</code> methods of top level class will be ignored.</p> <p> Use the <b>entry points</b> tab to configure entry points to be considered during the inspection run.</p> <p> You can add entry points manually when inspection results are ready.</p> <p> If your code uses unsupported frameworks, there are several options:</p> <ul> <li>If the framework relies on annotations, use the <b>Annotations...</b> button to configure the framework's annotations.</li> <li>If the framework doesn't rely on annotations, try to configure class name patterns that are expected by the framework.</li> </ul> <p>This way the annotated code accessible by the framework internals will be treated as used.</p> </body> </html>
{ "content_hash": "265d3982826004ee0aa8981bca5e46ab", "timestamp": "", "source": "github", "line_count": 37, "max_line_length": 193, "avg_line_length": 60.513513513513516, "alnum_prop": 0.7539079946404645, "repo_name": "jwren/intellij-community", "id": "ccd1c0d5d2c749f8511bec4f3fb969cbf37f0185", "size": "2239", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "java/java-impl/src/inspectionDescriptions/unused.html", "mode": "33188", "license": "apache-2.0", "language": [], "symlink_target": "" }
package uk.nhs.careconnect.ri.database.entity.messageDefinition; import org.hl7.fhir.dstu3.model.Enumerations; import org.hl7.fhir.dstu3.model.MessageDefinition; import org.hl7.fhir.dstu3.model.codesystems.MessageheaderResponseRequest; import uk.nhs.careconnect.ri.database.entity.BaseResource; import uk.nhs.careconnect.ri.database.entity.codeSystem.ConceptEntity; import javax.persistence.*; import java.util.ArrayList; import java.util.Date; import java.util.List; @Entity @Table(name = "MessageDefinition") public class MessageDefinitionEntity extends BaseResource { /* Does not currently include target dependsOn TODO not required at present ditto for target product */ @Id @GeneratedValue(strategy = GenerationType.IDENTITY) @Column(name="MESSAGE_DEFINITION_ID") private Long id; @Column(name = "URL") private String url; @OneToMany(mappedBy="messageDefinition", targetEntity= MessageDefinitionIdentifier.class) private List<MessageDefinitionIdentifier> identifiers; @Column(name = "VERSION") private String version; @Column(name = "NAME") private String name; @Column(name = "TITLE") private String title; // Not yet implemented replaces @Enumerated(EnumType.ORDINAL) @Column(name="status", nullable = false) Enumerations.PublicationStatus status; @Column(name="EXPERIMENTAL") private Boolean experimental; @Temporal(TemporalType.TIMESTAMP) @Column(name = "CHANGE_DATE") private Date changedDate; @Column(name = "PUBLISHER") private String publisher; @OneToMany(mappedBy="messageDefinition", targetEntity= MessageDefinitionTelecom.class) private List<MessageDefinitionTelecom> contacts; @Column(name = "DESCRIPTION") private String description; // useContext .. implement if required // jurisdiction ... hard code to UK @Column(name = "PURPOSE") private String purpose; @Column(name = "COPYRIGHT") private String copyright; @ManyToOne(fetch = FetchType.LAZY) @JoinColumn (name = "BASE_MESSAGE_DEFINITION_ID",foreignKey= @ForeignKey(name="FK_MESSAGE_DEFINITION_BASE_MESSAGE_DEFINITION_ID")) private MessageDefinitionEntity baseMessageDefinition; // Not yet implemented base message/activity @ManyToOne(fetch = FetchType.LAZY) @JoinColumn(name = "EVENT_CONCEPT",foreignKey= @ForeignKey(name="FK_MESSAGE_EVENT_CONCEPT")) ConceptEntity eventCode; @Enumerated(EnumType.ORDINAL) @Column(name="CATEGORY", nullable = true) MessageDefinition.MessageSignificanceCategory category; @OneToMany(mappedBy="messageDefinition", targetEntity= MessageDefinitionFocus.class) private List<MessageDefinitionFocus> foci; @OneToMany(mappedBy="messageDefinition", targetEntity= MessageDefinitionAllowedResponse.class) private List<MessageDefinitionAllowedResponse> allowedResponses; @OneToMany(mappedBy="messageDefinition", targetEntity= MessageDefinitionReplaces.class) private List<MessageDefinitionReplaces> replaces; @OneToMany(mappedBy="messageDefinition", targetEntity= MessageDefinitionParent.class) private List<MessageDefinitionParent> parents; @Enumerated(EnumType.ORDINAL) @Column(name="RESPONSE_REQUIRED", nullable = true) MessageheaderResponseRequest responseRequired; @OneToMany(mappedBy="messageDefinition", targetEntity= MessageDefinitionGraph.class) private List<MessageDefinitionGraph> graphs; public Long getId() { return id; } public void setId(Long id) { this.id = id; } // MessageDefinition IDENTIFIERS public void setIdentifiers(List<MessageDefinitionIdentifier> identifiers) { this.identifiers = identifiers; } public List<MessageDefinitionIdentifier> getIdentifiers( ) { if (identifiers == null) { identifiers = new ArrayList<MessageDefinitionIdentifier>(); } return this.identifiers; } public List<MessageDefinitionIdentifier> addIdentifier(MessageDefinitionIdentifier pi) { identifiers.add(pi); return identifiers; } public List<MessageDefinitionIdentifier> removeIdentifier(MessageDefinitionIdentifier identifier){ identifiers.remove(identifiers); return identifiers; } // MessageDefinition Address public String getUrl() { return url; } public void setUrl(String url) { this.url = url; } public String getVersion() { return version; } public void setVersion(String version) { this.version = version; } public String getName() { return name; } public void setName(String name) { this.name = name; } public String getTitle() { return title; } public void setTitle(String title) { this.title = title; } public Enumerations.PublicationStatus getStatus() { return status; } public void setStatus(Enumerations.PublicationStatus status) { this.status = status; } public Boolean getExperimental() { return experimental; } public void setExperimental(Boolean experimental) { this.experimental = experimental; } public Date getChangedDate() { return changedDate; } public void setChangedDate(Date changedDate) { this.changedDate = changedDate; } public String getPublisher() { return publisher; } public void setPublisher(String publisher) { this.publisher = publisher; } public List<MessageDefinitionTelecom> getContacts() { if (contacts == null) return new ArrayList<>(); return contacts; } public void setContacts(List<MessageDefinitionTelecom> contacts) { this.contacts = contacts; } public String getDescription() { return description; } public void setDescription(String description) { this.description = description; } public String getPurpose() { return purpose; } public void setPurpose(String purpose) { this.purpose = purpose; } public String getCopyright() { return copyright; } public void setCopyright(String copyright) { this.copyright = copyright; } public MessageDefinitionEntity getBaseMessageDefinition() { return baseMessageDefinition; } public void setBaseMessageDefinition(MessageDefinitionEntity baseMessageDefinition) { this.baseMessageDefinition = baseMessageDefinition; } public ConceptEntity getEventCode() { return eventCode; } public void setEventCode(ConceptEntity eventCode) { this.eventCode = eventCode; } public MessageheaderResponseRequest getResponseRequired() { return responseRequired; } public void setResponseRequired(MessageheaderResponseRequest responseRequired) { this.responseRequired = responseRequired; } public List<MessageDefinitionFocus> getFoci() { if (foci == null) return new ArrayList<>(); return this.foci; } public void setFoci(List<MessageDefinitionFocus> foci) { this.foci = foci; } public List<MessageDefinitionAllowedResponse> getAllowedResponses() { if (allowedResponses == null) return new ArrayList<>(); return this.allowedResponses; } public void setAllowedResponses(List<MessageDefinitionAllowedResponse> allowedResponses) { this.allowedResponses = allowedResponses; } public MessageDefinition.MessageSignificanceCategory getCategory() { return this.category; } public void setCategory(MessageDefinition.MessageSignificanceCategory category) { this.category = category; } public List<MessageDefinitionReplaces> getReplaces() { if (replaces == null) return new ArrayList<>(); return replaces; } public void setReplaces(List<MessageDefinitionReplaces> replaces) { this.replaces = replaces; } public List<MessageDefinitionParent> getParents() { if (parents == null) return new ArrayList<>(); return parents; } public void setParents(List<MessageDefinitionParent> parents) { this.parents = parents; } public List<MessageDefinitionGraph> getGraphs() { if (graphs == null) return new ArrayList<>(); return graphs; } public void setGraphs(List<MessageDefinitionGraph> graphs) { this.graphs = graphs; } }
{ "content_hash": "c6d57149d0834de0656b7c4dd32bd637", "timestamp": "", "source": "github", "line_count": 317, "max_line_length": 131, "avg_line_length": 24.397476340694006, "alnum_prop": 0.7682958365658132, "repo_name": "nhsconnect/careconnect-reference-implementation", "id": "f91e97ada4080548a72274be42d1bd8fa2babd88", "size": "7734", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "ccri-database/src/main/java/uk/nhs/careconnect/ri/database/entity/messageDefinition/MessageDefinitionEntity.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Dockerfile", "bytes": "217" }, { "name": "Gherkin", "bytes": "19870" }, { "name": "HTML", "bytes": "112" }, { "name": "Java", "bytes": "2744411" }, { "name": "Shell", "bytes": "215" }, { "name": "TSQL", "bytes": "557570" } ], "symlink_target": "" }
module CtChartjsRails class ApplicationController < ActionController::Base end end
{ "content_hash": "dea3edc8eba609afb624df0da213b269", "timestamp": "", "source": "github", "line_count": 4, "max_line_length": 54, "avg_line_length": 21.75, "alnum_prop": 0.8275862068965517, "repo_name": "iwoogy/ct_chartjs_rails", "id": "703f78b6b251d3d54cf805ed4137e0a842696520", "size": "87", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "app/controllers/ct_chartjs_rails/application_controller.rb", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "1366" }, { "name": "JavaScript", "bytes": "1198" }, { "name": "Ruby", "bytes": "14655" } ], "symlink_target": "" }
/** * class Autoprefixer * * Post processor that runs autoprefixer for css. You will need `autoprefixer` * Node module installed: * * npm install autoprefixer * * * ##### SUBCLASS OF * * [[Template]] **/ 'use strict'; // 3rd-party var _ = require('lodash'); var autoprefixer; // initialized later // internal var Template = require('../template'); //////////////////////////////////////////////////////////////////////////////// // Class constructor var Autoprefixer = module.exports = function Autoprefixer() { Template.apply(this, arguments); autoprefixer = autoprefixer || Template.libs.autoprefixer || require('autoprefixer'); }; require('util').inherits(Autoprefixer, Template); // Internal (private) requirements storage var requirements; /** * Autoprefixer.configure(reqs) -> Void * - reqs (Array|String): * * Allows to set Autoprefixer requirements. * * Default: `undefined`. * * * ##### Example * * Autoprefixer.configure(['> 1%', 'ie 8']); **/ Autoprefixer.configure = function (reqs) { requirements = _.clone(reqs); }; // Prefix data Autoprefixer.prototype.evaluate = function (/*context, locals*/) { var ap = autoprefixer(requirements); if (ap.process) { // New API, since v1.0 return ap.process(this.data).css; } else { // Old API, < v1.0 return ap.compile(this.data); } };
{ "content_hash": "432703613be9d31799041ab1ae90d93e", "timestamp": "", "source": "github", "line_count": 74, "max_line_length": 87, "avg_line_length": 18.64864864864865, "alnum_prop": 0.6072463768115942, "repo_name": "fredturnerr/SRT", "id": "0812bca8ce78c361e9dcbc55ddd27259237386b1", "size": "1380", "binary": false, "copies": "13", "ref": "refs/heads/master", "path": "node_modules/grunt-codo/node_modules/codo/node_modules/mincer/lib/mincer/processors/autoprefixer.js", "mode": "33188", "license": "mit", "language": [ { "name": "ApacheConf", "bytes": "1472" }, { "name": "CSS", "bytes": "10356105" }, { "name": "HTML", "bytes": "138321" }, { "name": "JavaScript", "bytes": "5851777" }, { "name": "Makefile", "bytes": "4614" }, { "name": "PHP", "bytes": "23549767" }, { "name": "Python", "bytes": "11575" } ], "symlink_target": "" }
using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; using Three.Net.Renderers.GL4; namespace Three.Net.Materials { public class SpriteMaterial : MeshBasicMaterial { public uint Opacity; public uint Rotation; public SpriteMaterial(Renderer renderer):base(renderer) { } } }
{ "content_hash": "817f44078c228d3f082b27f5858b328b", "timestamp": "", "source": "github", "line_count": 20, "max_line_length": 63, "avg_line_length": 19.6, "alnum_prop": 0.6913265306122449, "repo_name": "prepare/three.net", "id": "bd87adcca63ac38caf517bb4e617f6304489fef9", "size": "394", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "code/c#/three.net/Three.Net/Materials/SpriteMaterial.cs", "mode": "33188", "license": "mit", "language": [ { "name": "ApacheConf", "bytes": "47" }, { "name": "Batchfile", "bytes": "139" }, { "name": "C", "bytes": "40044" }, { "name": "C#", "bytes": "591173" }, { "name": "C++", "bytes": "101030" }, { "name": "CSS", "bytes": "13068" }, { "name": "GLSL", "bytes": "38249" }, { "name": "Groff", "bytes": "75084" }, { "name": "HTML", "bytes": "1971619" }, { "name": "JavaScript", "bytes": "2513143" }, { "name": "PowerShell", "bytes": "3563" }, { "name": "Python", "bytes": "271668" }, { "name": "Shell", "bytes": "549" } ], "symlink_target": "" }
namespace Bolt.Server.Test { public interface IMockContract { void Action(); } }
{ "content_hash": "1c6a2498371a5188725f2c4634883384", "timestamp": "", "source": "github", "line_count": 7, "max_line_length": 34, "avg_line_length": 14.285714285714286, "alnum_prop": 0.61, "repo_name": "justkao/Bolt", "id": "5c503713f6f23382b6510036cad0621de8eb57e0", "size": "100", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "test/Bolt.Server.Test/IMockContract.cs", "mode": "33188", "license": "mit", "language": [ { "name": "Batchfile", "bytes": "572" }, { "name": "C#", "bytes": "506663" } ], "symlink_target": "" }
package org.apache.stratos.metadata.client.beans; import javax.xml.bind.annotation.XmlRootElement; import java.util.ArrayList; import java.util.Arrays; import java.util.List; @XmlRootElement(name = "properties") public class PropertyBean { private String key; private List<String> values = new ArrayList<String>(); public PropertyBean() { } public PropertyBean(String key, String value) { this.key = key; this.values.add(value); } public String getKey() { return key; } public void setKey(String key) { this.key = key; } public String[] getValues() { String[] values = new String[this.values.size()]; values = this.values.toArray(values); return values; } public void setValues(String value) { this.values.add(value); } public void setValues(String[] values) { this.values.addAll(Arrays.asList(values)); } public void addValue(String value) { this.values.add(value); } }
{ "content_hash": "6ead5edf67a1d778f67c93e401147319", "timestamp": "", "source": "github", "line_count": 48, "max_line_length": 58, "avg_line_length": 21.5625, "alnum_prop": 0.633816425120773, "repo_name": "lasinducharith/stratos", "id": "7fae6a6193b3d9455650b5c1e64a13769e262f88", "size": "1841", "binary": false, "copies": "8", "ref": "refs/heads/master", "path": "components/org.apache.stratos.metadata.client/src/main/java/org/apache/stratos/metadata/client/beans/PropertyBean.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "C", "bytes": "27195" }, { "name": "CSS", "bytes": "78779" }, { "name": "HTML", "bytes": "42426" }, { "name": "Handlebars", "bytes": "106999" }, { "name": "Java", "bytes": "5887702" }, { "name": "JavaScript", "bytes": "755689" }, { "name": "Python", "bytes": "516805" }, { "name": "Ruby", "bytes": "3546" }, { "name": "Shell", "bytes": "159589" } ], "symlink_target": "" }
namespace content { namespace { class StringTraceDataEndpoint : public TracingController::TraceDataEndpoint { public: explicit StringTraceDataEndpoint( TracingController::CompletionCallback callback) : completion_callback_(std::move(callback)) {} StringTraceDataEndpoint(const StringTraceDataEndpoint&) = delete; StringTraceDataEndpoint& operator=(const StringTraceDataEndpoint&) = delete; void ReceivedTraceFinalContents() override { auto str = std::make_unique<std::string>(trace_.str()); trace_.str(""); trace_.clear(); GetUIThreadTaskRunner({})->PostTask( FROM_HERE, base::BindOnce(std::move(completion_callback_), std::move(str))); } void ReceiveTraceChunk(std::unique_ptr<std::string> chunk) override { trace_ << *chunk; } private: ~StringTraceDataEndpoint() override {} TracingController::CompletionCallback completion_callback_; std::ostringstream trace_; }; class FileTraceDataEndpoint : public TracingController::TraceDataEndpoint { public: explicit FileTraceDataEndpoint(const base::FilePath& trace_file_path, base::OnceClosure callback, base::TaskPriority write_priority) : file_path_(trace_file_path), completion_callback_(std::move(callback)), may_block_task_runner_(base::ThreadPool::CreateSequencedTaskRunner( {base::MayBlock(), write_priority, base::TaskShutdownBehavior::BLOCK_SHUTDOWN})) {} FileTraceDataEndpoint(const FileTraceDataEndpoint&) = delete; FileTraceDataEndpoint& operator=(const FileTraceDataEndpoint&) = delete; void ReceiveTraceChunk(std::unique_ptr<std::string> chunk) override { may_block_task_runner_->PostTask( FROM_HERE, base::BindOnce( &FileTraceDataEndpoint::ReceiveTraceChunkOnBlockingThread, this, std::move(chunk))); } void ReceivedTraceFinalContents() override { may_block_task_runner_->PostTask( FROM_HERE, base::BindOnce(&FileTraceDataEndpoint::CloseOnBlockingThread, this)); } private: ~FileTraceDataEndpoint() override { DCHECK(file_ == nullptr); } void ReceiveTraceChunkOnBlockingThread(std::unique_ptr<std::string> chunk) { if (!OpenFileIfNeededOnBlockingThread()) return; ignore_result(fwrite(chunk->c_str(), chunk->size(), 1, file_)); } bool OpenFileIfNeededOnBlockingThread() { if (file_ != nullptr) return true; // The temporary trace file is produced in the same folder since paths must // be on the same volume. base::File temp_file = CreateAndOpenTemporaryFileInDir(file_path_.DirName(), &pending_file_path_); if (temp_file.IsValid()) { // On Android, fdsan prohibits associating a new stream with a file while // it's still owned by base::File. So we have to close it first and then // reopen as FILE*. temp_file.Close(); file_ = base::OpenFile(pending_file_path_, "w"); } else { LOG(WARNING) << "Unable to use temporary file " << pending_file_path_ << ": " << base::File::ErrorToString(temp_file.error_details()); pending_file_path_.clear(); file_ = base::OpenFile(file_path_, "w"); LOG_IF(ERROR, file_ == nullptr) << "Failed to open " << file_path_.value(); } return file_ != nullptr; } void CloseOnBlockingThread() { if (OpenFileIfNeededOnBlockingThread()) { base::CloseFile(file_); file_ = nullptr; } if (!pending_file_path_.empty()) { base::File::Error error; if (!base::ReplaceFile(pending_file_path_, file_path_, &error)) { LOG(ERROR) << "Cannot replace file '" << file_path_ << "' : " << base::File::ErrorToString(error); base::DeleteFile(pending_file_path_); return; } } GetUIThreadTaskRunner({})->PostTask( FROM_HERE, base::BindOnce(&FileTraceDataEndpoint::FinalizeOnUIThread, this)); } void FinalizeOnUIThread() { std::move(completion_callback_).Run(); } base::FilePath file_path_; base::FilePath pending_file_path_; base::OnceClosure completion_callback_; raw_ptr<FILE> file_ = nullptr; const scoped_refptr<base::SequencedTaskRunner> may_block_task_runner_; }; class CompressedTraceDataEndpoint : public TracingController::TraceDataEndpoint { public: CompressedTraceDataEndpoint(scoped_refptr<TraceDataEndpoint> endpoint, bool compress_with_background_priority) : endpoint_(endpoint), already_tried_open_(false), background_task_runner_(base::ThreadPool::CreateSequencedTaskRunner( {compress_with_background_priority ? base::TaskPriority::BEST_EFFORT : base::TaskPriority::USER_VISIBLE})) {} CompressedTraceDataEndpoint(const CompressedTraceDataEndpoint&) = delete; CompressedTraceDataEndpoint& operator=(const CompressedTraceDataEndpoint&) = delete; void ReceiveTraceChunk(std::unique_ptr<std::string> chunk) override { background_task_runner_->PostTask( FROM_HERE, base::BindOnce(&CompressedTraceDataEndpoint::CompressOnBackgroundThread, this, std::move(chunk))); } void ReceivedTraceFinalContents() override { background_task_runner_->PostTask( FROM_HERE, base::BindOnce(&CompressedTraceDataEndpoint::CloseOnBackgroundThread, this)); } private: ~CompressedTraceDataEndpoint() override = default; bool OpenZStreamOnBackgroundThread() { if (stream_) return true; if (already_tried_open_) return false; already_tried_open_ = true; stream_ = std::make_unique<z_stream>(); *stream_ = {nullptr}; stream_->zalloc = Z_NULL; stream_->zfree = Z_NULL; stream_->opaque = Z_NULL; int result = deflateInit2(stream_.get(), Z_DEFAULT_COMPRESSION, Z_DEFLATED, // 16 is added to produce a gzip header + trailer. MAX_WBITS + 16, 8, // memLevel = 8 is default. Z_DEFAULT_STRATEGY); return result == 0; } void CompressOnBackgroundThread(std::unique_ptr<std::string> chunk) { if (!OpenZStreamOnBackgroundThread()) return; stream_->avail_in = chunk->size(); stream_->next_in = reinterpret_cast<unsigned char*>(&*chunk->begin()); DrainStreamOnBackgroundThread(false); } void DrainStreamOnBackgroundThread(bool finished) { int err; const int kChunkSize = 0x4000; char buffer[kChunkSize]; do { stream_->avail_out = kChunkSize; stream_->next_out = (unsigned char*)buffer; err = deflate(stream_.get(), finished ? Z_FINISH : Z_NO_FLUSH); if (err != Z_OK && (!finished || err != Z_STREAM_END)) { LOG(ERROR) << "Deflate stream error: " << err; stream_.reset(); return; } int bytes = kChunkSize - stream_->avail_out; if (bytes) { std::string compressed(buffer, bytes); endpoint_->ReceiveTraceChunk(std::make_unique<std::string>(compressed)); } } while (stream_->avail_out == 0); } void CloseOnBackgroundThread() { if (!OpenZStreamOnBackgroundThread()) return; DrainStreamOnBackgroundThread(true); deflateEnd(stream_.get()); stream_.reset(); endpoint_->ReceivedTraceFinalContents(); } scoped_refptr<TraceDataEndpoint> endpoint_; std::unique_ptr<z_stream> stream_; bool already_tried_open_; const scoped_refptr<base::SequencedTaskRunner> background_task_runner_; }; } // namespace scoped_refptr<TracingController::TraceDataEndpoint> TracingController::CreateStringEndpoint(CompletionCallback callback) { return new StringTraceDataEndpoint(std::move(callback)); } scoped_refptr<TracingController::TraceDataEndpoint> TracingController::CreateFileEndpoint(const base::FilePath& file_path, base::OnceClosure callback, base::TaskPriority write_priority) { return new FileTraceDataEndpoint(file_path, std::move(callback), write_priority); } scoped_refptr<TracingController::TraceDataEndpoint> TracingControllerImpl::CreateCompressedStringEndpoint( scoped_refptr<TraceDataEndpoint> endpoint, bool compress_with_background_priority) { return new CompressedTraceDataEndpoint(endpoint, compress_with_background_priority); } scoped_refptr<TracingController::TraceDataEndpoint> TracingControllerImpl::CreateCallbackEndpoint(CompletionCallback callback) { return new StringTraceDataEndpoint(std::move(callback)); } } // namespace content
{ "content_hash": "64593e37c84c5cc54018b5df3007914e", "timestamp": "", "source": "github", "line_count": 259, "max_line_length": 80, "avg_line_length": 34.189189189189186, "alnum_prop": 0.6477696216826652, "repo_name": "ric2b/Vivaldi-browser", "id": "59642dbc14b61b828c62ceaa639b5b391d157df1", "size": "9682", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "chromium/content/browser/tracing/tracing_controller_impl_data_endpoint.cc", "mode": "33188", "license": "bsd-3-clause", "language": [], "symlink_target": "" }
namespace YAF.Utils { using System; using System.Text; using System.Web; using YAF.Classes; using YAF.Types; using YAF.Types.Constants; using YAF.Types.Extensions; /// <summary> /// Class provides helper functions related to the forum path and URLs as well as forum version information. /// </summary> public static class YafForumInfo { /// <summary> /// The YAF.NET Release Type /// </summary> private enum ReleaseType { /// <summary> /// regular release /// </summary> Regular = 0, /// <summary> /// alpha release /// </summary> Alpha, /// <summary> /// beta release /// </summary> BETA, /// <summary> /// release candidate release /// </summary> RC } /// <summary> /// Gets the forum path (client-side). /// May not be the actual URL of the forum. /// </summary> public static string ForumClientFileRoot { get { return BaseUrlBuilder.ClientFileRoot; } } /// <summary> /// Gets the forum path (server-side). /// May not be the actual URL of the forum. /// </summary> public static string ForumServerFileRoot { get { return BaseUrlBuilder.ServerFileRoot; } } /// <summary> /// Gets complete application external (client-side) URL of the forum. (e.g. http://domain.com/forum /// </summary> public static string ForumBaseUrl { get { return "{0}{1}".FormatWith(BaseUrlBuilder.BaseUrl, BaseUrlBuilder.AppPath); } } /// <summary> /// Gets full URL to the Root of the Forum /// </summary> public static string ForumURL { get { return YafBuildLink.GetLink(ForumPages.forum, true); } } /// <summary> /// Gets a value indicating whether this instance is local. /// </summary> /// <value> /// <c>true</c> if this instance is local; otherwise, <c>false</c>. /// </value> public static bool IsLocal { get { var serverName = HttpContext.Current.Request.ServerVariables["SERVER_NAME"]; return serverName != null && serverName.ToLower() == "localhost"; } } #region Version Information /// <summary> /// Gets the Current YAF Application Version string /// </summary> public static string AppVersionName { get { return AppVersionNameFromCode(AppVersionCode); } } /// <summary> /// Gets the Current YAF Database Version /// </summary> public static int AppVersion { get { return 57; } } /// <summary> /// Gets the Current YAF Application Version /// </summary> public static long AppVersionCode { get { const int Major = 2; const byte Minor = 2; const byte Build = 0; const byte Sub = 0; const ReleaseType ReleaseType = ReleaseType.Regular; const byte ReleaseNumber = 0; var version = Major.ToType<long>() << 24; version |= Minor.ToType<long>() << 16; version |= (Build & 0x0F).ToType<long>() << 12; if (Sub > 0) { version |= Sub.ToType<long>() << 8; } if (ReleaseType != ReleaseType.Regular) { version |= ReleaseType.ToType<long>() << 4; version |= (ReleaseNumber & 0x0F).ToType<long>() + 1; } return version; } } /// <summary> /// Gets the Current YAF Build Date /// </summary> public static DateTime AppVersionDate { get { return new DateTime(2015, 02, 01); } } /// <summary> /// Creates a string that is the YAF Application Version from a long value /// </summary> /// <param name="code"> /// Value of Current Version /// </param> /// <returns> /// Application Version String /// </returns> public static string AppVersionNameFromCode(long code) { var version = new StringBuilder(); version.AppendFormat("{0}.{1}.{2}", (code >> 24) & 0xFF, (code >> 16) & 0xFF, (code >> 12) & 0x0F); if (((code >> 8) & 0x0F) > 0) { version.AppendFormat(".{0}", (code >> 8) & 0x0F); } if (((code >> 4) & 0x0F) <= 0) { return version.ToString(); } var value = (code >> 4) & 0x0F; var number = string.Empty; if ((code & 0x0F) > 1) { number = ((code & 0x0F).ToType<int>() - 1).ToString(); } else if ((code & 0x0F) == 1) { number = AppVersionDate.ToString("yyyyMMdd"); } var releaseType = value.ToEnum<ReleaseType>(); if (releaseType != ReleaseType.Regular) { version.AppendFormat(" {0} {1}", releaseType.ToString().ToUpper(), number); } return version.ToString(); } #endregion /// <summary> /// Helper function that creates the URL to the Content folder. /// </summary> /// <param name="resourceName">Name of the resource.</param> /// <returns> /// Returns the URL including the Content path /// </returns> public static string GetURLToContent([NotNull] string resourceName) { CodeContracts.VerifyNotNull(resourceName, "resourceName"); return "{1}Content/{0}".FormatWith(resourceName, ForumClientFileRoot); } /// <summary> /// Helper function that creates the URL to the Scripts folder. /// </summary> /// <param name="resourceName">Name of the resource.</param> /// <returns> /// Returns the URL including the Scripts path /// </returns> public static string GetURLToScripts([NotNull] string resourceName) { CodeContracts.VerifyNotNull(resourceName, "resourceName"); return "{1}Scripts/{0}".FormatWith(resourceName, ForumClientFileRoot); } } }
{ "content_hash": "fa252eafaea054c4163187903f0a3b17", "timestamp": "", "source": "github", "line_count": 252, "max_line_length": 112, "avg_line_length": 28.03174603174603, "alnum_prop": 0.4694224235560589, "repo_name": "unstab1e/sitecoreyaf8", "id": "166c9b6474098ec1c6f50d5883d56cc27e53d641", "size": "8050", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "yafsrc/YAF.Utils/YafForumInfo.cs", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "ASP", "bytes": "911712" }, { "name": "Batchfile", "bytes": "3635" }, { "name": "C#", "bytes": "9520407" }, { "name": "CSS", "bytes": "1261085" }, { "name": "HTML", "bytes": "3720" }, { "name": "JavaScript", "bytes": "3674741" }, { "name": "SQLPL", "bytes": "1474" } ], "symlink_target": "" }
<?php /** * UserIdentity represents the data needed to identity a user. * It contains the authentication method that checks if the provided * data can identity the user. */ class UserIdentity extends CUserIdentity { private $_id; /** * Authenticates a user. * @return boolean whether authentication succeeds. */ public function authenticate() { $criteria = new CDbCriteria; $criteria->with = 'authassignments'; $criteria->addCondition("authassignments.itemname=:a", 'OR');//创始人进入后台权限 $criteria->addCondition("authassignments.itemname='Admin'", 'OR');//超级管理员进入后台权限.数据名称默认不变 $criteria->addCondition("authassignments.itemname=:b", 'OR');//后台管理组进入后台权限 $criteria->addCondition("LOWER(username)=:username", 'AND'); $criteria->params = array(':a' => $this->SuperAdminUse,':b' => $this->GeneralAdmins, ':username' => strtolower($this->username)); $user = User::model()->find($criteria); if ($user === null) $this->errorCode = self::ERROR_USERNAME_INVALID; else if (!$user->validatePassword($this->password)) $this->errorCode = self::ERROR_PASSWORD_INVALID; else { $this->_id = $user->id; $this->username = $user->username; $this->errorCode = self::ERROR_NONE; } return $this->errorCode == self::ERROR_NONE; } /** * @return integer the ID of the user record */ public function getId() { return $this->_id; } public function getGeneralAdmins() { return Yii::app()->params['generalAdmins']; } public function getSuperAdminUse() { return Yii::app()->params['superAdminUse']; } }
{ "content_hash": "7a2a2a9901957c8eb3c89a2cfe71374c", "timestamp": "", "source": "github", "line_count": 57, "max_line_length": 137, "avg_line_length": 31.649122807017545, "alnum_prop": 0.5837028824833703, "repo_name": "poctsy/fircms-complex", "id": "dc5f419f6f8eeb3ad0fe9f3c6bcef59ff64dc40f", "size": "1882", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "protected/modules/admin/components/UserIdentity.php", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "178522" }, { "name": "JavaScript", "bytes": "904756" }, { "name": "PHP", "bytes": "19393185" }, { "name": "Ruby", "bytes": "1384" }, { "name": "Shell", "bytes": "5895" } ], "symlink_target": "" }
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <!-- NewPage --> <html lang="en"> <head> <!-- Generated by javadoc (version 1.7.0_79) on Sun Feb 21 05:50:16 CST 2016 --> <title>Constant Field Values</title> <meta name="date" content="2016-02-21"> <link rel="stylesheet" type="text/css" href="stylesheet.css" title="Style"> </head> <body> <script type="text/javascript"><!-- if (location.href.indexOf('is-external=true') == -1) { parent.document.title="Constant Field Values"; } //--> </script> <noscript> <div>JavaScript is disabled on your browser.</div> </noscript> <!-- ========= START OF TOP NAVBAR ======= --> <div class="topNav"><a name="navbar_top"> <!-- --> </a><a href="#skip-navbar_top" title="Skip navigation links"></a><a name="navbar_top_firstrow"> <!-- --> </a> <ul class="navList" title="Navigation"> <li><a href="overview-summary.html">Overview</a></li> <li>Package</li> <li>Class</li> <li>Use</li> <li><a href="overview-tree.html">Tree</a></li> <li><a href="deprecated-list.html">Deprecated</a></li> <li><a href="index-files/index-1.html">Index</a></li> <li><a href="help-doc.html">Help</a></li> </ul> </div> <div class="subNav"> <ul class="navList"> <li>Prev</li> <li>Next</li> </ul> <ul class="navList"> <li><a href="index.html?constant-values.html" target="_top">Frames</a></li> <li><a href="constant-values.html" target="_top">No Frames</a></li> </ul> <ul class="navList" id="allclasses_navbar_top"> <li><a href="allclasses-noframe.html">All Classes</a></li> </ul> <div> <script type="text/javascript"><!-- allClassesLink = document.getElementById("allclasses_navbar_top"); if(window==top) { allClassesLink.style.display = "block"; } else { allClassesLink.style.display = "none"; } //--> </script> </div> <a name="skip-navbar_top"> <!-- --> </a></div> <!-- ========= END OF TOP NAVBAR ========= --> <div class="header"> <h1 title="Constant Field Values" class="title">Constant Field Values</h1> <h2 title="Contents">Contents</h2> </div> <!-- ======= START OF BOTTOM NAVBAR ====== --> <div class="bottomNav"><a name="navbar_bottom"> <!-- --> </a><a href="#skip-navbar_bottom" title="Skip navigation links"></a><a name="navbar_bottom_firstrow"> <!-- --> </a> <ul class="navList" title="Navigation"> <li><a href="overview-summary.html">Overview</a></li> <li>Package</li> <li>Class</li> <li>Use</li> <li><a href="overview-tree.html">Tree</a></li> <li><a href="deprecated-list.html">Deprecated</a></li> <li><a href="index-files/index-1.html">Index</a></li> <li><a href="help-doc.html">Help</a></li> </ul> </div> <div class="subNav"> <ul class="navList"> <li>Prev</li> <li>Next</li> </ul> <ul class="navList"> <li><a href="index.html?constant-values.html" target="_top">Frames</a></li> <li><a href="constant-values.html" target="_top">No Frames</a></li> </ul> <ul class="navList" id="allclasses_navbar_bottom"> <li><a href="allclasses-noframe.html">All Classes</a></li> </ul> <div> <script type="text/javascript"><!-- allClassesLink = document.getElementById("allclasses_navbar_bottom"); if(window==top) { allClassesLink.style.display = "block"; } else { allClassesLink.style.display = "none"; } //--> </script> </div> <a name="skip-navbar_bottom"> <!-- --> </a></div> <!-- ======== END OF BOTTOM NAVBAR ======= --> </body> </html>
{ "content_hash": "35d14165cc40dc725c3f36a0778bf229", "timestamp": "", "source": "github", "line_count": 115, "max_line_length": 102, "avg_line_length": 29.304347826086957, "alnum_prop": 0.6264094955489614, "repo_name": "adrianortiz/14-Mensajes-Pull", "id": "d02e5ec74c35af28a4f6fa5f921f222a54e0d263", "size": "3370", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "doc/constant-values.html", "mode": "33188", "license": "mit", "language": [ { "name": "Java", "bytes": "24950" } ], "symlink_target": "" }
WebSocket Server to retrieve data and serve it to angular site test on http://mc.ainaip.net/client.html
{ "content_hash": "dc6667fd37cf9fc7596e37dba1c078d2", "timestamp": "", "source": "github", "line_count": 3, "max_line_length": 62, "avg_line_length": 35, "alnum_prop": 0.7904761904761904, "repo_name": "tpaivaa/mcwebsocketserver", "id": "d3d74f6ef1bf0bbd59b16b829952356bdec9a526", "size": "125", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "README.md", "mode": "33188", "license": "mit", "language": [ { "name": "JavaScript", "bytes": "2996" } ], "symlink_target": "" }
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <!--NewPage--> <HTML> <HEAD> <!-- Generated by javadoc (build 1.6.0_29) on Wed Jan 01 17:07:11 EST 2014 --> <TITLE> edu.wpi.first.wpilibj.buttons (2013 FRC Java API) </TITLE> <META NAME="date" CONTENT="2014-01-01"> <LINK REL ="stylesheet" TYPE="text/css" HREF="../../../../../stylesheet.css" TITLE="Style"> <SCRIPT type="text/javascript"> function windowTitle() { if (location.href.indexOf('is-external=true') == -1) { parent.document.title="edu.wpi.first.wpilibj.buttons (2013 FRC Java API)"; } } </SCRIPT> <NOSCRIPT> </NOSCRIPT> </HEAD> <BODY BGCOLOR="white" onload="windowTitle();"> <HR> <!-- ========= START OF TOP NAVBAR ======= --> <A NAME="navbar_top"><!-- --></A> <A HREF="#skip-navbar_top" title="Skip navigation links"></A> <TABLE BORDER="0" WIDTH="100%" CELLPADDING="1" CELLSPACING="0" SUMMARY=""> <TR> <TD COLSPAN=2 BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A NAME="navbar_top_firstrow"><!-- --></A> <TABLE BORDER="0" CELLPADDING="0" CELLSPACING="3" SUMMARY=""> <TR ALIGN="center" VALIGN="top"> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../overview-summary.html"><FONT CLASS="NavBarFont1"><B>Overview</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#FFFFFF" CLASS="NavBarCell1Rev"> &nbsp;<FONT CLASS="NavBarFont1Rev"><B>Package</B></FONT>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <FONT CLASS="NavBarFont1">Class</FONT>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="package-use.html"><FONT CLASS="NavBarFont1"><B>Use</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="package-tree.html"><FONT CLASS="NavBarFont1"><B>Tree</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../deprecated-list.html"><FONT CLASS="NavBarFont1"><B>Deprecated</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../index-all.html"><FONT CLASS="NavBarFont1"><B>Index</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../help-doc.html"><FONT CLASS="NavBarFont1"><B>Help</B></FONT></A>&nbsp;</TD> </TR> </TABLE> </TD> <TD ALIGN="right" VALIGN="top" ROWSPAN=3><EM> "<p style=\"background-color:${javadoc.bgcolor}; color:${javadoc.fgcolor}; padding:4px 5px 2px 3px; margin-top:-1px\"><b>2013 FRC Java API</b></p>"</EM> </TD> </TR> <TR> <TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2"> &nbsp;<A HREF="../../../../../edu/wpi/first/wpilibj/package-summary.html"><B>PREV PACKAGE</B></A>&nbsp; &nbsp;<A HREF="../../../../../edu/wpi/first/wpilibj/camera/package-summary.html"><B>NEXT PACKAGE</B></A></FONT></TD> <TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2"> <A HREF="../../../../../index.html?edu/wpi/first/wpilibj/buttons/package-summary.html" target="_top"><B>FRAMES</B></A> &nbsp; &nbsp;<A HREF="package-summary.html" target="_top"><B>NO FRAMES</B></A> &nbsp; &nbsp;<SCRIPT type="text/javascript"> <!-- if(window==top) { document.writeln('<A HREF="../../../../../allclasses-noframe.html"><B>All Classes</B></A>'); } //--> </SCRIPT> <NOSCRIPT> <A HREF="../../../../../allclasses-noframe.html"><B>All Classes</B></A> </NOSCRIPT> </FONT></TD> </TR> </TABLE> <A NAME="skip-navbar_top"></A> <!-- ========= END OF TOP NAVBAR ========= --> <HR> <H2> Package edu.wpi.first.wpilibj.buttons </H2> <TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY=""> <TR BGCOLOR="#CCCCFF" CLASS="TableHeadingColor"> <TH ALIGN="left" COLSPAN="2"><FONT SIZE="+2"> <B>Class Summary</B></FONT></TH> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD WIDTH="15%"><B><A HREF="../../../../../edu/wpi/first/wpilibj/buttons/AnalogIOButton.html" title="class in edu.wpi.first.wpilibj.buttons">AnalogIOButton</A></B></TD> <TD>&nbsp;</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD WIDTH="15%"><B><A HREF="../../../../../edu/wpi/first/wpilibj/buttons/Button.html" title="class in edu.wpi.first.wpilibj.buttons">Button</A></B></TD> <TD>This class provides an easy way to link commands to OI inputs.</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD WIDTH="15%"><B><A HREF="../../../../../edu/wpi/first/wpilibj/buttons/DigitalIOButton.html" title="class in edu.wpi.first.wpilibj.buttons">DigitalIOButton</A></B></TD> <TD>&nbsp;</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD WIDTH="15%"><B><A HREF="../../../../../edu/wpi/first/wpilibj/buttons/InternalButton.html" title="class in edu.wpi.first.wpilibj.buttons">InternalButton</A></B></TD> <TD>This class is intended to be used within a program.</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD WIDTH="15%"><B><A HREF="../../../../../edu/wpi/first/wpilibj/buttons/JoystickButton.html" title="class in edu.wpi.first.wpilibj.buttons">JoystickButton</A></B></TD> <TD>&nbsp;</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD WIDTH="15%"><B><A HREF="../../../../../edu/wpi/first/wpilibj/buttons/NetworkButton.html" title="class in edu.wpi.first.wpilibj.buttons">NetworkButton</A></B></TD> <TD>&nbsp;</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD WIDTH="15%"><B><A HREF="../../../../../edu/wpi/first/wpilibj/buttons/Trigger.html" title="class in edu.wpi.first.wpilibj.buttons">Trigger</A></B></TD> <TD>This class provides an easy way to link commands to inputs.</TD> </TR> </TABLE> &nbsp; <P> <DL> </DL> <HR> <!-- ======= START OF BOTTOM NAVBAR ====== --> <A NAME="navbar_bottom"><!-- --></A> <A HREF="#skip-navbar_bottom" title="Skip navigation links"></A> <TABLE BORDER="0" WIDTH="100%" CELLPADDING="1" CELLSPACING="0" SUMMARY=""> <TR> <TD COLSPAN=2 BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A NAME="navbar_bottom_firstrow"><!-- --></A> <TABLE BORDER="0" CELLPADDING="0" CELLSPACING="3" SUMMARY=""> <TR ALIGN="center" VALIGN="top"> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../overview-summary.html"><FONT CLASS="NavBarFont1"><B>Overview</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#FFFFFF" CLASS="NavBarCell1Rev"> &nbsp;<FONT CLASS="NavBarFont1Rev"><B>Package</B></FONT>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <FONT CLASS="NavBarFont1">Class</FONT>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="package-use.html"><FONT CLASS="NavBarFont1"><B>Use</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="package-tree.html"><FONT CLASS="NavBarFont1"><B>Tree</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../deprecated-list.html"><FONT CLASS="NavBarFont1"><B>Deprecated</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../index-all.html"><FONT CLASS="NavBarFont1"><B>Index</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../help-doc.html"><FONT CLASS="NavBarFont1"><B>Help</B></FONT></A>&nbsp;</TD> </TR> </TABLE> </TD> <TD ALIGN="right" VALIGN="top" ROWSPAN=3><EM> "<p style=\"background-color:${javadoc.bgcolor}; color:${javadoc.fgcolor}; padding:4px 5px 2px 3px; margin-top:-1px\"><b>2013 FRC Java API</b></p>"</EM> </TD> </TR> <TR> <TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2"> &nbsp;<A HREF="../../../../../edu/wpi/first/wpilibj/package-summary.html"><B>PREV PACKAGE</B></A>&nbsp; &nbsp;<A HREF="../../../../../edu/wpi/first/wpilibj/camera/package-summary.html"><B>NEXT PACKAGE</B></A></FONT></TD> <TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2"> <A HREF="../../../../../index.html?edu/wpi/first/wpilibj/buttons/package-summary.html" target="_top"><B>FRAMES</B></A> &nbsp; &nbsp;<A HREF="package-summary.html" target="_top"><B>NO FRAMES</B></A> &nbsp; &nbsp;<SCRIPT type="text/javascript"> <!-- if(window==top) { document.writeln('<A HREF="../../../../../allclasses-noframe.html"><B>All Classes</B></A>'); } //--> </SCRIPT> <NOSCRIPT> <A HREF="../../../../../allclasses-noframe.html"><B>All Classes</B></A> </NOSCRIPT> </FONT></TD> </TR> </TABLE> <A NAME="skip-navbar_bottom"></A> <!-- ======== END OF BOTTOM NAVBAR ======= --> <HR> "<center><i><font size=\"-1\">For updated information see the <a href=\"http://www.usfirst.org/roboticsprograms/frc/\">Java FRC site</a></font></i></center>" </BODY> </HTML>
{ "content_hash": "f51b0f43cb3ed80d3fcb0234e44fc4f4", "timestamp": "", "source": "github", "line_count": 181, "max_line_length": 170, "avg_line_length": 47.13812154696133, "alnum_prop": 0.6133380215658697, "repo_name": "VulcanRobotics/Vector", "id": "b1247ff4a5f61380366f17b9b547373bb5ec7b01", "size": "8532", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "doc/edu/wpi/first/wpilibj/buttons/package-summary.html", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "CSS", "bytes": "1420" }, { "name": "Java", "bytes": "61426" } ], "symlink_target": "" }
tabedit = {}; tabedit.CREATE_ACTION_NAME = "create"; tabedit.MODIFY_ACTION_NAME = "modify"; tabedit.CANCEL_ACTION_NAME = "cancel"; tabedit.ROWNUM_FOR_CREATION = "-1"; tabedit.busy = false; /* Access to the next row to be edited */ tabedit.nextTable = null; tabedit.nextRow = null; tabedit.nextRowFocusIndex = null; /** Returns the next row : one previously set up, or the last row of the table */ tabedit.getNextRow = function() { if (tabedit.nextRow === undefined || tabedit.nextRow == null) { return tabedit.nextTable.getLastRow().get(0); } else { return tabedit.nextRow; } }; /** Returns the index to which the focus should be set when starting edition on the next row */ tabedit.getNextRowIndex = function() { return tabedit.nextRowFocusIndex; }; /** Sets a table and a row for the next edition. */ tabedit.setNext = function(nextTable, nextRow, nextRowFocusIndex) { tabedit.nextTable = nextTable; tabedit.nextRow = nextRow; if (nextRowFocusIndex === undefined) { tabedit.nextRowFocusIndex = 0; } else { tabedit.nextRowFocusIndex = nextRowFocusIndex; } }; /** Sets a table to be edited next on its last row, corresponding to no currently existing row. */ tabedit.setNextAsNew = function(nextTable) { tabedit.nextTable = nextTable; tabedit.nextRow = undefined; tabedit.nextRowFocusIndex = 0; }; /** Clears the next row */ tabedit.clearNext = function() { tabedit.nextTable = null; tabedit.nextRow = null; tabedit.nextRowFocusIndex = null; }; /* Access to the currently edited row */ tabedit.workingTable = null; tabedit.workingRow = null; /** Returns true if there is a row being edited */ tabedit.isWorking = function() { return (tabedit.workingTable != null && tabedit.workingRow != null); }; /** Returns the row being edited */ tabedit.getWorkingRow = function() { return tabedit.workingRow; }; /** Sets the row being edited */ tabedit.setWorking = function(newTable, newRow) { tabedit.workingTable = newTable; tabedit.workingRow = newRow; tabedit.workingTable.setupEditionButtons(); }; /** Clears the row being edited : no more row is being edited until we call tabedit.setWorking again. */ tabedit.clearWorking = function() { if (tabedit.workingTable != null) { tabedit.workingTable.removeEditionButtons(); } tabedit.workingRow = null; tabedit.workingTable = null; }; /** * Commodity function : moves the next row to be the current row, then clears the next row. Returns the focus index to * set. */ tabedit.moveNextToWorking = function() { var index = tabedit.nextRowFocusIndex; tabedit.setWorking(tabedit.nextTable, tabedit.getNextRow()); tabedit.clearNext(); return index; }; /* The tables */ /** All referenced editable tables on this page */ tabedit.tables = []; tabedit.registerEditableTable = function(myTableId, myFormId) { cgi.debug("Tabedit register :", myTableId, myFormId); if (!$(toJqId(myTableId)).is("*") || !$(toJqId(myFormId)).is("*")) { /* no hidden form or table, probably an error on the page */ cgi.debug("No editable table present"); return; } var table = { tableId : myTableId, formId : myFormId, $tableId : toJqId(myTableId), $formId : toJqId(myFormId), dirty: false, getCurrentAction : function() { return $(this.$formId).find(".tabedit-current-action").val(); }, getNextAction : function() { return $(this.$formId).find(".tabedit-next-action").val(); }, setNextAction : function(action) { $(this.$formId).find(".tabedit-next-action").val(action); }, getLastRow : function() { return $(this.$tableId).children("tbody").children("tr").last(); }, isCreationPossible : function() { creationRownum = $(this.$tableId).find("input.rownum[value=" + tabedit.ROWNUM_FOR_CREATION + "]"); return creationRownum.length > 0; }, /** * Prepare a new row for edition. The edition will start when the server has loaded the corresponding entity. * @param focusFieldIndex the index (0-based) of the field to which focus should be given. Default is 0 (first * field). */ prepareNewRow : function($row, focusFieldIndex) { /* fill the next rownum we need on the hidden form */ cgi.debug("Next rownum is", tabedit.getRownum($row)); $(this.$formId).find(".tabedit-next-rownum").val(tabedit.getRownum($row)); /* the next row will be set editable when the server response arrives */ tabedit.setNext(this, $row.get(0), focusFieldIndex); /* find the correct next action : new line or existing line ? */ var action = $(this.$formId).find(".tabedit-next-rownum").val() == tabedit.ROWNUM_FOR_CREATION ? tabedit.CREATE_ACTION_NAME : tabedit.MODIFY_ACTION_NAME; cgi.debug("Next action is", action); this.setNextAction(action); }, /** * Prepare a new row for creation. The edition will start when the server has loaded the corresponding entity. */ prepareNewCreationRow : function() { /* fill the next rownum we need on the hidden form */ cgi.debug("Next rownum is", tabedit.ROWNUM_FOR_CREATION); $(this.$formId).find(".tabedit-next-rownum").val(tabedit.ROWNUM_FOR_CREATION); /* the new row will be set editable when the server response arrives */ tabedit.setNextAsNew(this); /* find the correct next action : new line or existing line ? */ cgi.debug("Next action is", tabedit.CREATE_ACTION_NAME); this.setNextAction(tabedit.CREATE_ACTION_NAME); }, /** * Method to call on server response : correct entity loaded and previous row (if any) was correctly exited. * Finish setting up the row - if it's still here. */ onPrepareSuccess : function() { /* next row is now the current row */ var index = tabedit.moveNextToWorking(); /* set the row editable */ this.setEditable($(tabedit.getWorkingRow()), index); }, /** Validate the row being edited */ validateCurrentRow : function() { var $row = $(tabedit.getWorkingRow()); /* copy the current rownum */ $(this.$formId).find(".tabedit-current-rownum").val(tabedit.getRownum($row)); }, /** On server response : finish closing the row if okay. Returns true if everything is alright. */ onSaveSuccess : function() { /* the row is valid if and only if there are no error messages */ var success = $(this.$formId).find(".tabedit-success").val() == "true"; if (success) { /* the row that was sent is not editable any more, as it got refreshed from JSF 2 */ /* we only need to mark there are no more editable row */ tabedit.clearWorking(); this.dirty = false; return true; } else { /* restore editable row, table might have been reloaded */ var currentRownum = $(this.$formId).find(".tabedit-current-rownum").val(); var $input = $(this.$tableId).find("input.rownum[value=" + currentRownum + "]"); var $row = $input.closest("tr"); tabedit.setWorking(this, $row.get(0)); /* find the error field, to which we will give focus */ var $data = $(this.$formId).find(".tabedit-hidden-form-data"); var fields = $data.find(".tabedit-editable-write"); var index = $.inArray(fields.filter(".error").get(0), fields); /* Invalid values on the old row. Set it editable again. */ this.setEditable($row, index); return false; } }, /** Send the form to the server and let it work its magic. */ sendFormToServer : function(callback) { var currentAction = this.getCurrentAction(); var nextAction = this.getNextAction(); cgi.debug(this.formId, "sendFormToServer with actions current=" + currentAction + " and next=" + nextAction); var options = {}; /* send the whole hidden form */ options.execute = this.formId; /* Always need to render the hidden form, even if no action (an entity may have been loaded in preparation) */ options.render = this.formId + " "; var successCallback = callback || $.noop; /* Rest of the render (for the current action) : whole table for creation, only the row for edition. */ if (currentAction == tabedit.CREATE_ACTION_NAME) { options.render += this.tableId; } else if (currentAction == tabedit.MODIFY_ACTION_NAME) { options.render += tabedit.getRenderingForRow($(tabedit.getWorkingRow())); } /* the "this" object within options.onSuccess is the HTML document, not the current object */ var that = this; /* prepare the success */ options.onSuccess = function() { successCallback(); if (that.onSaveSuccess() && nextAction != "") { that.onPrepareSuccess(); } tabedit.busy = false; }; options.$button = this.get$SubmissionButton(); tabedit.ajaxCall(options); }, /** Discard the current row without any new row being set up. */ discardCurrentRow : function() { if (tabedit.getWorkingRow() == null) { return; } var $row = $(tabedit.getWorkingRow()); var $write = $row.find(".tabedit-editable-write"); var $read = $row.find(".tabedit-editable-read"); $write.remove(); $read.show(); /* set the proper style on each cell */ $row.find("td").removeClass("tabedit-active"); tabedit.clearWorking(); /* Empty current action */ $(this.$formId).find(".tabedit-current-action").val(""); /* Empty form data */ $(this.$formId).find(".tabedit-hidden-form-data").children().remove(); /* Clean dirty state */ this.dirty = false; cgi.debug("Row discarded"); }, /** * The argument row is set up to be editable. * @param focusIndex is the 0-based index of the field to set editable. Default is 0. */ setEditable : function($row, focusIndex) { focusIndex = focusIndex === undefined ? 0 : focusIndex; cgi.debug("Setting editable :", $row.get(0)); /* preparing input div and fields for the current line */ var $writeDivs = $(this.$formId).find(".tabedit-hidden-form-data").find(".tabedit-editable-write"); cgi.debug("New fields :", $writeDivs); if ($writeDivs.length == 0) { throw "Entity was not properly loaded !"; } /* iterating the read divs that need to be replaced */ var $readDivs = $row.find(".tabedit-editable-read"); $readDivs.each(function(index) { var $read = $readDivs.eq(index); var $write = $writeDivs.eq(index); cgi.debug("Setting editable field :", $write.get(0)); /* insert it to the right place */ $write.insertAfter($read); /* we need to show it now, or we have weird mistakes on calculating sizes */ $read.hide(); $write.show(); /* set the proper style on each cell */ $row.find("td").addClass("tabedit-active"); }); /* iterate on write divs for combobox */ var $writeSelectDivs = $row.find(".tabedit-editable-write"); $writeSelectDivs.each(function() { var $writeSelect = $(this); var $select = $writeSelect.find("select"); if ($select.length > 0) { var selectValue = ""; $inputs = $writeSelect.find("input"); if ($inputs.length > 0) { $inputs.each(function() { $input = $(this); if (selectValue != "") { selectValue += ";;;"; } idInput = $input.attr("id"); splitIdInput = idInput.split("_"); keySelect = splitIdInput[splitIdInput.length - 1]; selectValue += keySelect + ":::" + $input.val(); }); $writeSelect.find("select").val(selectValue); } } }); /* be ready to use shortkeys on the newly set input fields */ this.registerShortkeys($writeDivs); /* select the target field */ tabedit.focusElement($writeDivs.eq(focusIndex)); }, /** * The submission button is not always the element with the class. At some part during the loading of the page, * it gets wrapped by a <a> tag with his class. */ get$SubmissionButton : function() { var $ajaxClassed = $(this.$formId).find(".tabedit-hidden-button-ajax"); if ($ajaxClassed.is("input")) return $ajaxClassed; else return $ajaxClassed.find("input").first(); }, /** * On click on the table : first cancel the edited row, then prepare for next row if necessary. Exception if * clicking on the currently editable line. */ onClick : function(event) { /* * if there is a row being edited, and we are clicking on it : do nothing special and go on (maybe we * clicked on a calendar...) */ if (tabedit.isWorking() && (tabedit.getWorkingRow() === event.target || $.contains(tabedit.getWorkingRow(), event.target))) { cgi.debug(this.tableId + '#onclick : click on the same line, ignoring click'); return; } /* Protected datatable - no edition */ if ($(toJqId(myTableId + "-protected")).val() == 'true') { return; } /* Do not process inputs while we are working */ if (tabedit.busy) { cgi.debug(this.tableId + '#onclick : busy, ignoring click'); return; } else { tabedit.busy = true; } var that = this; /* prepare the next row, will be launched if the user is OK to abandon its current changes */ var goOn = function() { tabedit.busy = true; if (tabedit.isWorking()) { that.discardCurrentRow(); } var $source = $(event.target); var $clickedRow = $source.closest("tr"); if ($clickedRow.children().is(".tabedit-editable-cell")) { /* if an editable row of this table was clicked */ cgi.debug(that.tableId + '#onclick : editable row was targeted : ', $clickedRow.get(0)); var clickedDivIndex = tabedit.getFieldIndexInRow($source); that.prepareNewRow($clickedRow, clickedDivIndex); cgi.debug(that.tableId + '#onclick : sending form to server'); that.sendFormToServer(); } else { cgi.debug(this.tableId + '#onclick : no click event for', event.target); tabedit.busy = false; } }; /* stop being busy and give focus, for the case where we are not leaving after all */ var stopBeingBusy = function() { tabedit.busy = false; tabedit.focusElement($(tabedit.getWorkingRow()).find(".tabedit-editable-write")); }; var evaluation = function() { return that.dirty; }; /* there is potentially an editable row opened, with modifications */ cgi.withCheckDirty(goOn, stopBeingBusy, evaluation); }, /** Capture key event to set up shortkeys on the table */ registerShortkeys : function($writeDivs) { cgi.debug("Capturing shorkey events for :", $writeDivs); /* the "this" object within keydown is the HTML input field, not the current object */ var that = this; $writeDivs.children().children().keydown(function(event) { if (!tabedit.busy) { var flag; if (event.keyCode == KEYCODE_ESCAPE) { flag = that.handleShortkeyEscape(); } else if (event.keyCode == KEYCODE_TAB) { flag = that.handleShortkeyTab(event.target, event.shiftKey); } else if (event.keyCode == KEYCODE_ENTER) { flag = that.handleShortkeyEnter(event.target); } else if (event.keyCode == KEYCODE_UP_ARROW) { flag = that.handleShortkeyUpDown(event.target, true); } else if (event.keyCode == KEYCODE_DOWN_ARROW) { flag = that.handleShortkeyUpDown(event.target, false); } else if (event.keyCode == KEYCODE_LEFT_ARROW) { flag = that.handleShortkeyLeftRight(event.target, true); } else if (event.keyCode == KEYCODE_RIGHT_ARROW) { flag = that.handleShortkeyLeftRight(event.target, false); } else { /* other keys, work normally */ flag = true; } if (!flag) { event.preventDefault(); } return flag; } else { cgi.debug("Ignoring shortkeys at the moment"); } }); }, /** React to the tab key being pressed. */ handleShortkeyTab : function(target, shift) { cgi.debug("Pressed tab !"); var $currentCell = $(target).closest("td"); var currentCell = $currentCell.get(0); var cells = $currentCell.parent().children().toArray(); var currentCellIndex = cells.indexOf(currentCell); var $nextCellFocus; var nextCellIndex = -1; while (nextCellIndex == -1) { // Select next cell if (shift && currentCellIndex == 1) { nextCellIndex = cells.length - 1; } else if (!shift && currentCellIndex == cells.length - 1) { nextCellIndex = 1; } else { nextCellIndex = currentCellIndex + (shift ? - 1 : 1); } $nextCellFocus = $(cells[nextCellIndex]); if ($nextCellFocus.find("input, select").length == 0) { // Not an editable cell currentCellIndex = nextCellIndex; nextCellIndex = -1; } } // Go to next editable cell tabedit.focusElement($nextCellFocus); return false; }, /** React to the enter key being pressed. */ handleShortkeyEnter : function(target) { cgi.debug("Pressed enter !"); tabedit.busy = true; this.validateCurrentRow(); var $row = $(tabedit.getWorkingRow()); var $nextRow = $row.nextAll().has(".tabedit-editable-read").first(); if ($nextRow.length > 0) { this.prepareNewRow($nextRow, 0); } else if(this.isCreationPossible()) { /* creation mode */ this.prepareNewCreationRow(); } var currentAction = this.getCurrentAction(); var callback = $.noop; if (currentAction == tabedit.CREATE_ACTION_NAME) { callback = function() { $(this.$tableId).find('td.first').click(function(event) { event.stopPropagation(); }); }; } else if (currentAction == tabedit.MODIFY_ACTION_NAME) { callback = function() { $row.find("td").removeClass("tabedit-active"); }; } this.sendFormToServer(callback); return false; }, /** React to the escape key being pressed. */ handleShortkeyEscape : function() { cgi.debug("Pressed escape !"); var that = this; var onAnyCase = function() { var workingRow = tabedit.getWorkingRow(); if (workingRow) { tabedit.focusElement($(tabedit.getWorkingRow()).find(".tabedit-editable-write")); } }; var onContinue = function(){ that.discardCurrentRow(); }; var evaluation = function() { return that.dirty; }; cgi.withCheckDirty(onContinue, onAnyCase, evaluation); return false; }, /** React to the up or down key being pressed. */ handleShortkeyUpDown : function(target, up) { cgi.debug("Pressed", up ? "up !" : "down !"); var $source = $(target); if ($source.is("select")) { return true; } var $row = $source.closest("tr"); var $possibleTargetRow = null; while ($possibleTargetRow == null) { $possibleTargetRow = up ? $row.prev() : $row.next(); if ($possibleTargetRow.css("display") == "none") { $row = $possibleTargetRow; $possibleTargetRow = null; } } var $targetRow = $possibleTargetRow.has(".tabedit-content"); if ($targetRow.length == 0) { /* first or last row, do nothing special */ return false; } var position = tabedit.getFieldIndexInRow($source); var $targetCell = $targetRow.children().has(".tabedit-content").eq(position); $targetCell.click(); return false; }, /** React to the left or right key being pressed. */ handleShortkeyLeftRight : function(target, left) { cgi.debug("Pressed", left ? "left !" : "right !"); /* * target.selectionStart : position beginning the selection, before moving target.selectionEnd : position * ending the selection, before moving */ if (target.selectionStart === undefined) { /* not a text field */ return this.handleShortkeyTab(target, left); } if (target.selectionEnd > target.selectionStart) { return true; } var positionOfCursor = target.selectionStart; var textLength = $(target).val().length; if (left) { if (positionOfCursor == 0 || positionOfCursor === undefined || positionOfCursor === NaN) { return this.handleShortkeyTab(target, true); } } else { if (positionOfCursor == textLength || positionOfCursor === undefined || positionOfCursor === NaN) { return this.handleShortkeyTab(target, false); } } return true; }, setupEditionButtons : function() { cgi.debug("Set up edition buttons"); var that = this; /* if a removal is waiting */ if (this.removeEditionButtonsTimer != null) { window.clearTimeout(this.removeEditionButtonsTimer); this.removeEditionButtonsTimer = null; } /* careful not to double them */ if ($(this.$tableId).closest(".table_container").find(".actions").find(".tabedit-action-buttons").length > 0) { return; } var tabeditActionsSpan = $(this.$formId).find(".tabedit-action-buttons").clone(); tabeditActionsSpan.find(".tabedit-action-validate-button").click(function() { that.handleShortkeyEnter(); }); tabeditActionsSpan.find(".tabedit-action-cancel-button").click(function() { that.handleShortkeyEscape(); }); var actionsSpan = $(this.$tableId).closest(".table_container").find(".allActionButtons"); actionsSpan.after(tabeditActionsSpan); actionsSpan.hide(); }, /** Removal of buttons is delayed to avoid the very aesthetically displeasing blinking effect. */ removeEditionButtons : function() { if (this.removeEditionButtonsTimer != null) { /* already a timer, delete the old one */ window.clearTimeout(this.removeEditionButtonsTimer); this.removeEditionButtonsTimer = null; } var that = this; this.removeEditionButtonsTimer = window.setTimeout(function() { cgi.debug("Remove edition buttons"); var tabeditActionsSpan = $(that.$tableId).closest(".table_container").find(".actions").find(".tabedit-action-buttons"); tabeditActionsSpan.remove(); var actionsSpan = $(that.$tableId).closest(".table_container").find(".allActionButtons"); actionsSpan.show(); }, 100); } }; tabedit.tables.push(table); /* * Register a click event listener to manage the editable table. Listener is called during the bubble phase on the * div wrapping the table. The listener is not directly on the table, as this can be reloaded with Ajax. The inner * function trick is here to ensure the 'this' object within onClick refers to the table object, not the HTML * element (as is the case if onClick is directly used as the argument of $.click()). */ var $clickTarget = $(toJqId(myTableId)).parent().parent().parent(); $clickTarget.click(function(event) { // $(document).click(function(event) { table.onClick(event); return true; }); cgi.debug("Added onclick event on :", $clickTarget); }; /** Disable all fields on an editable row */ tabedit.disableRow = function($row) { /* disable the fields of this currently editable row */ $row.find(".tabedit-editable-write").children().children().prop('disabled', true); }; /** * Call ajax for an event. Options specify everything that may change. No parameter is mandatory. : * <ul> * <li><b>options.execute</b> is the space-separated list of ids that we need to execute in addition to the form * actions</li> * <li><b>options.render</b> is what to render in addition to the usual : hidden form and messages</li> * <li><b>options.onSuccess</b> is the function to call when the ajax calls end with success</li> * <li><b>options.immediate</b> is <code>true</code> if the call must bypasse the normal JSF lifecycle (see the * definition of immediate on h:commandButton)</li> * </ul> */ tabedit.ajaxCall = function(options, event) { /* force a click event, necessary for JSF2 */ if (event === undefined) { options.$button.one("click", function(event) { event.preventDefault(); tabedit.ajaxCall(options, event); return false; }); options.$button.click(); return; } /* iterate on write divs for combobox */ var $row = $(tabedit.getWorkingRow()); var $writeSelectDivs = $row.find(".tabedit-editable-write"); $writeSelectDivs.each(function() { var $writeSelect = $(this); var $select = $writeSelect.find("select"); if ($select.length > 0) { var selectValue = $writeSelect.find("select").val(); var keyValues = selectValue.split(";;;"); for (var i = 0; i < keyValues.length; i++) { keyValues[i] = keyValues[i].split(":::"); } var $inputs = $writeSelect.find("input"); $inputs.each(function() { var $input = $(this); var idInput = $input.attr("id"); var splitIdInput = idInput.split("_"); var keySelect = splitIdInput[splitIdInput.length - 1]; for (var i = 0; i < keyValues.length; i++) { if (keySelect == keyValues[i][0]) { $input.val(keyValues[i][1]); } } var idInputGeneric = idInput.substring(0, idInput.length - 8).replace(":", "\\:"); $("#" + idInputGeneric).val($input.val()); }); } }); /* prepare the success */ var indicator = prepareProgressIndicator(); var handleAjaxEvent = function(data) { if (data.status == "success") { if (options.onSuccess != undefined) { options.onSuccess(); } indicator.close(); } }; var ajaxOptions = { execute : options.execute, render : "mainForm:messages " + options.render, onevent : handleAjaxEvent, onerror : logAjaxError }; jsf.ajax.request(options.$button.attr("id"), event, ajaxOptions); indicator.open(); }; /** * Return the index of the field orresponding to $source in the row. If $source is not on an editable content, returns * 0. Works wether the row is in edit or read mode. * @param $source is the field on something else in the same td */ tabedit.getFieldIndexInRow = function($source) { var index = 0; var $sourceCell = $source.closest("td").has(".tabedit-content"); if ($sourceCell.length > 0) { index = $.inArray($sourceCell.get(0), $sourceCell.closest("tr").find("td").has(".tabedit-content")); } return index; }; /** Space-separated list of the ids to render for this row */ tabedit.getRenderingForRow = function($row) { var rendering = ""; $row.find(".tabedit-editable-read").parent().each(function() { rendering = rendering + this.id + " "; }); return rendering; }; /** Returns the rownum for a row */ tabedit.getRownum = function($row) { return $row.find("input.rownum").val().trim(); }; tabedit.focusElement = function($parent) { var $input = $parent.find(':input').not('[type="hidden"]').first(); $input.focus(); if ($input.is('input')) { $input.select(); } }; tabedit.getTable = function(tableId) { for (var i = 0, len = tabedit.tables.length; i < len; i++) { var table = tabedit.tables[i]; if (table.tableId == tableId) { return table; } } return undefined; }; var superIsPageDirty = isPageDirty; isPageDirty = function() { var dirty = superIsPageDirty(); for (var i = 0, len = tabedit.tables.length; i < len && !dirty; i++) { dirty = tabedit.tables[i].dirty; } return dirty; }; var superCleanDirty = cleanDirty; cleanDirty = function() { superCleanDirty(); for (var i = 0, len = tabedit.tables.length; i < len; i++) { tabedit.tables[i].dirty = false; } }; var superMarkAsDirty = markAsDirty; markAsDirty = function(element) { var $element = $(element); if ($element.parentsUntil('td', '.tabedit-editable-write').length > 0) { var tableId = $element.parentsUntil('.datatable-div-data', 'table').attr('id'); var table = tabedit.getTable(tableId); if (table) { table.dirty = true; } } else { superMarkAsDirty(element); } };
{ "content_hash": "e415c6e01779aa9ecde08d5ec594fc5c", "timestamp": "", "source": "github", "line_count": 888, "max_line_length": 156, "avg_line_length": 31.4740990990991, "alnum_prop": 0.635944040931697, "repo_name": "Micht69/shoplist", "id": "0fecf4ae03fd54a58d306529775cb6d44f9d8b6b", "size": "27949", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "WebContent/static/scripts/tabedit.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "90443" }, { "name": "Java", "bytes": "857285" }, { "name": "JavaScript", "bytes": "3099743" } ], "symlink_target": "" }
// g2o - General Graph Optimization // Copyright (C) 2012 R. Kümmerle // 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. // // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS // IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED // TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A // PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT // HOLDER 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. #include <Eigen/Core> #include <Eigen/StdVector> #include <Eigen/Geometry> #include <iostream> #include "g2o/stuff/sampler.h" #include "g2o/stuff/command_args.h" #include "g2o/core/sparse_optimizer.h" #include "g2o/core/block_solver.h" #include "g2o/core/solver.h" #include "g2o/core/optimization_algorithm_levenberg.h" #include "g2o/core/optimization_algorithm_gauss_newton.h" #include "g2o/core/base_vertex.h" #include "g2o/core/base_unary_edge.h" #include "g2o/solvers/csparse/linear_solver_csparse.h" using namespace std; double errorOfSolution(int numPoints, Eigen::Vector2d* points, const Eigen::Vector3d& circle) { Eigen::Vector2d center = circle.head<2>(); double radius = circle(2); double error = 0.; for (int i = 0; i < numPoints; ++i) { double d = (points[i] - center).norm() - radius; error += d*d; } return error; } /** * \brief a circle located at x,y with radius r */ class VertexCircle : public g2o::BaseVertex<3, Eigen::Vector3d> { public: EIGEN_MAKE_ALIGNED_OPERATOR_NEW; VertexCircle() { } virtual bool read(std::istream& /*is*/) { cerr << __PRETTY_FUNCTION__ << " not implemented yet" << endl; return false; } virtual bool write(std::ostream& /*os*/) const { cerr << __PRETTY_FUNCTION__ << " not implemented yet" << endl; return false; } virtual void setToOriginImpl() { cerr << __PRETTY_FUNCTION__ << " not implemented yet" << endl; } virtual void oplusImpl(const double* update) { Eigen::Vector3d::ConstMapType v(update); _estimate += v; } }; /** * \brief measurement for a point on the circle * * Here the measurement is the point which is on the circle. * The error function computes the distance of the point to * the center minus the radius of the circle. */ class EdgePointOnCircle : public g2o::BaseUnaryEdge<1, Eigen::Vector2d, VertexCircle> { public: EIGEN_MAKE_ALIGNED_OPERATOR_NEW EdgePointOnCircle() { } virtual bool read(std::istream& /*is*/) { cerr << __PRETTY_FUNCTION__ << " not implemented yet" << endl; return false; } virtual bool write(std::ostream& /*os*/) const { cerr << __PRETTY_FUNCTION__ << " not implemented yet" << endl; return false; } void computeError() { const VertexCircle* circle = static_cast<const VertexCircle*>(vertex(0)); const Eigen::Vector2d& center = circle->estimate().head<2>(); const double& radius = circle->estimate()(2); _error(0) = (measurement() - center).norm() - radius; } }; int main(int argc, char** argv) { int numPoints; int maxIterations; bool verbose; std::vector<int> gaugeList; g2o::CommandArgs arg; arg.param("numPoints", numPoints, 100, "number of points sampled from the circle"); arg.param("i", maxIterations, 10, "perform n iterations"); arg.param("v", verbose, false, "verbose output of the optimization process"); arg.parseArgs(argc, argv); // generate random data Eigen::Vector2d center(4, 2); double radius = 2.; Eigen::Vector2d* points = new Eigen::Vector2d[numPoints]; for (int i = 0; i < numPoints; ++i) { double r = g2o::Sampler::uniformRand(radius-0.1, radius+0.1); double angle = g2o::Sampler::uniformRand(0., 2. * M_PI); points[i].x() = center.x() + r * cos(angle); points[i].y() = center.y() + r * sin(angle); } // some handy typedefs typedef g2o::BlockSolver< g2o::BlockSolverTraits<Eigen::Dynamic, Eigen::Dynamic> > MyBlockSolver; typedef g2o::LinearSolverCSparse<MyBlockSolver::PoseMatrixType> MyLinearSolver; // setup the solver g2o::SparseOptimizer optimizer; optimizer.setVerbose(false); MyLinearSolver* linearSolver = new MyLinearSolver(); MyBlockSolver* solver_ptr = new MyBlockSolver(linearSolver); g2o::OptimizationAlgorithmLevenberg* solver = new g2o::OptimizationAlgorithmLevenberg(solver_ptr); //g2o::OptimizationAlgorithmGaussNewton* solver = new g2o::OptimizationAlgorithmGaussNewton(solver_ptr); optimizer.setAlgorithm(solver); // build the optimization problem given the points // 1. add the circle vertex VertexCircle* circle = new VertexCircle(); circle->setId(0); circle->setEstimate(Eigen::Vector3d(3,3,3)); // some initial value for the circle optimizer.addVertex(circle); // 2. add the points we measured for (int i = 0; i < numPoints; ++i) { EdgePointOnCircle* e = new EdgePointOnCircle; e->setInformation(Eigen::Matrix<double, 1, 1>::Identity()); e->setVertex(0, circle); e->setMeasurement(points[i]); optimizer.addEdge(e); } // perform the optimization optimizer.initializeOptimization(); optimizer.setVerbose(verbose); optimizer.optimize(maxIterations); if (verbose) cout << endl; // print out the result cout << "Iterative least squares solution" << endl; cout << "center of the circle " << circle->estimate().head<2>().transpose() << endl; cout << "radius of the cirlce " << circle->estimate()(2) << endl; cout << "error " << errorOfSolution(numPoints, points, circle->estimate()) << endl; cout << endl; // solve by linear least squares // Let (a, b) be the center of the circle and r the radius of the circle. // For a point (x, y) on the circle we have: // (x - a)^2 + (y - b)^2 = r^2 // This leads to // (-2x -2y 1)^T * (a b c) = -x^2 - y^2 (1) // where c = a^2 + b^2 - r^2. // Since we have a bunch of points, we accumulate Eqn (1) in a matrix and // compute the normal equation to obtain a solution for (a b c). // Afterwards the radius r is recovered. Eigen::MatrixXd A(numPoints, 3); Eigen::VectorXd b(numPoints); for (int i = 0; i < numPoints; ++i) { A(i, 0) = -2*points[i].x(); A(i, 1) = -2*points[i].y(); A(i, 2) = 1; b(i) = -pow(points[i].x(), 2) - pow(points[i].y(), 2); } Eigen::Vector3d solution = (A.transpose()*A).ldlt().solve(A.transpose() * b); // calculate the radius of the circle given the solution so far solution(2) = sqrt(pow(solution(0), 2) + pow(solution(1), 2) - solution(2)); cout << "Linear least squares solution" << endl; cout << "center of the circle " << solution.head<2>().transpose() << endl; cout << "radius of the cirlce " << solution(2) << endl; cout << "error " << errorOfSolution(numPoints, points, solution) << endl; // clean up delete[] points; return 0; }
{ "content_hash": "d62b044a22a495fe2edb49c0af704582", "timestamp": "", "source": "github", "line_count": 225, "max_line_length": 106, "avg_line_length": 34.60444444444445, "alnum_prop": 0.6727459542769073, "repo_name": "jokereactive/ORB_Android", "id": "a2f4cb78f42f3af13263171c4a21b936c62b7d7e", "size": "7787", "binary": false, "copies": "4", "ref": "refs/heads/master", "path": "g2o/g2o/examples/data_fitting/circle_fit.cpp", "mode": "33188", "license": "bsd-2-clause", "language": [ { "name": "Assembly", "bytes": "9372" }, { "name": "Awk", "bytes": "665" }, { "name": "Batchfile", "bytes": "2023" }, { "name": "C", "bytes": "29275758" }, { "name": "C++", "bytes": "113242696" }, { "name": "CMake", "bytes": "1630013" }, { "name": "Cuda", "bytes": "82565" }, { "name": "D", "bytes": "5767" }, { "name": "FORTRAN", "bytes": "171388" }, { "name": "Groff", "bytes": "9481" }, { "name": "HTML", "bytes": "107838" }, { "name": "Java", "bytes": "277062" }, { "name": "Lex", "bytes": "7532" }, { "name": "M4", "bytes": "9738" }, { "name": "Makefile", "bytes": "3587214" }, { "name": "Matlab", "bytes": "1779312" }, { "name": "Objective-C", "bytes": "47560" }, { "name": "Perl", "bytes": "15492" }, { "name": "Python", "bytes": "1888" }, { "name": "Ruby", "bytes": "51657" }, { "name": "Shell", "bytes": "6167" }, { "name": "TeX", "bytes": "684644" }, { "name": "Yacc", "bytes": "13808" } ], "symlink_target": "" }
A twisted trunk clustered with bulbous blossoms holds up a gaping mouth ready to swallow a victim whole. **MoonflowerCR 8** **XP 4,800** N Huge [plant](monsters/creatureTypes#_plant) **Init** +4; **Senses** darkvision 60 ft., low-light vision; [Perception](additionalMonsters/../skills/perception#_perception) +9 Defense **AC** 21, touch 8, flat-footed 21 (+13 natural, –2 size) **hp** 104 (11d8+55); fast healing 5 **Fort** +12, **Ref** +3, **Will** +4 **DR** 10/slashing; **Immune** electricity, [plant](monsters/creatureTypes#_plant) traits; **Resist** [cold](monsters/creatureTypes#_cold-subtype) 10 **Weaknesses** vulnerable to [fire](monsters/creatureTypes#_fire-subtype) Offense **Speed** 20 ft. **Melee** bite +15 (2d6+9 plus [grab](monsters/universalMonsterRules#_grab)), 2 tentacles +13 (1d8+4) **Space** 15 ft.; **Reach** 15 ft. **Special Attacks** light pulse, pod prison Statistics **Str** 28, **Dex** 10, **Con** 21, **Int** 5, **Wis** 12, **Cha** 17 **Base Atk** +8; **CMB** +19 (+23 grapple); **CMD** 29 (can_'_t be tripped) **Feats** [Blind-Fight](additionalMonsters/../feats#_blind-fight), [Improved Initiative](additionalMonsters/../feats#_improved-initiative), [Improved Sunder](additionalMonsters/../feats#_improved-sunder), [Multiattack](additionalMonsters/../monsters/monsterFeats#_multiattack), [Power Attack](additionalMonsters/../feats#_power-attack), [Skill Focus](additionalMonsters/../feats#_skill-focus) ( [Stealth](additionalMonsters/../skills/stealth#_stealth)) **Skills** [Perception](additionalMonsters/../skills/perception#_perception) +9, [Stealth](additionalMonsters/../skills/stealth#_stealth) +4 (+20 in thick vegetation); **Racial Modifiers** +16 [Stealth](additionalMonsters/../skills/stealth#_stealth) in thick vegetation **Languages** telepathy (1 mile, other moonflowers only) **SQ** pod spawn Ecology **Environment** any land **Organization** solitary or cluster (2–8) **Treasure** standard Special Abilities **Light Pulse (Su)** As a standard action, a moonflower can release a pulse of bright light. All creatures within a 50-foot burst that can see the moonflower must make a DC 20 Fortitude save or be blinded for 1d4 rounds. Moonflowers are immune to this ability. The save DC is Constitution-based. **Pod Prison (Ex)** This works like the swallow whole ability, except the moonflower can only use it once every 1d4 rounds, and the swallowed creature is immediately wrapped in a tight digestive cocoon and expelled into an adjacent square, where it takes damage every round (2d6 bludgeoning and 2d6 acid, AC 15, 25 hp). The cocooned target cannot use [Escape Artist](additionalMonsters/../skills/escapeArtist#_escape-artist) to get out of the cocoon. Other creatures can aid the target by attacking the cocoon with piercing or slashing weapons, but the creature within takes half the damage from any attack against the cocoon. Once the cocoon is destroyed, it deflates and decays. Each creature swallowed by a moonflower is encased in its own cocoon. **Pod Spawn (Ex)** Should a moonflower_'_s pod prison kill and digest a Small or larger creature, the pod transforms into an adult moonflower with full hit points after 1d4 hours. The newly formed moonflower has its own consciousness, but some aspect of its trunk or blossoms resembles the creature that died within. The dead creature_'_s equipment remains inside the new moonflower and can be retrieved by killing it. A fully grown moonflower easily stands 20 feet tall, its massive trunk frequently 4 feet or more in diameter. The roots extend away from the base and into the soil, making the plant seem well anchored, but the roots themselves possess an agility that belies the great size of the plant and allows the moonflower to uproot itself and move with surprising speed. The tendrils of the plant are independently prehensile and writhe around the large flytrap-like _“_head_”_ that crowns the stem. Moonflowers have never been known to communicate with other creatures, even with druids and others who regularly converse with plants. The plants do possess some manner of strange telepathy, though, and are in constant communication with their nearby brethren. Those who manage to intrude upon the creatures_'_ alien thoughts face an assault of horrible visions of terrifying jungles filled with ancient, sentient, and malign plants.
{ "content_hash": "ee8d2f054a8264758c3ad7da9673efc7", "timestamp": "", "source": "github", "line_count": 66, "max_line_length": 750, "avg_line_length": 66.31818181818181, "alnum_prop": 0.7585103952478867, "repo_name": "brunokoga/pathfinder-markdown", "id": "1dae5c5cbabd09552d032b369df74de6373ffa4a", "size": "4399", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "prd_markdown/additionalMonsters/moonflower.md", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "58168" }, { "name": "JavaScript", "bytes": "97828" }, { "name": "Ruby", "bytes": "2456" } ], "symlink_target": "" }
namespace KFS { std::size_t HsiehHash(const char * data, std::size_t len); struct Hsieh_hash_fcn { std::size_t operator()(const char *data, std::size_t len) const; std::size_t operator()(const std::string &data) const; }; } #endif // COMMON_HSIEH_HASH_H
{ "content_hash": "577da4708e2dfe8569cfbea6e4775f5f", "timestamp": "", "source": "github", "line_count": 10, "max_line_length": 72, "avg_line_length": 28.3, "alnum_prop": 0.6219081272084805, "repo_name": "qnu/qfs", "id": "031e78348b1423963b3fc8522df15237f198bf4b", "size": "1310", "binary": false, "copies": "5", "ref": "refs/heads/master", "path": "src/cc/common/hsieh_hash.h", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "C", "bytes": "5601137" }, { "name": "C++", "bytes": "5297263" }, { "name": "CMake", "bytes": "69727" }, { "name": "CSS", "bytes": "5401" }, { "name": "HTML", "bytes": "3528" }, { "name": "Java", "bytes": "139583" }, { "name": "JavaScript", "bytes": "13774" }, { "name": "Makefile", "bytes": "9202" }, { "name": "Perl", "bytes": "5005" }, { "name": "Python", "bytes": "184202" }, { "name": "Shell", "bytes": "807983" } ], "symlink_target": "" }
<!DOCTYPE html> <script src='../../../resources/testharness.js'></script> <script src='../../../resources/testharnessreport.js'></script> <script src='../../../resources/gesture-util.js'></script> <style> #scrollme, #notscrollme { width: 100px; height: 100px; overflow: auto; } #scrollme p { height: 1000px; } </style> <div id='scrollme'> <p>This is a scrollable div.</p> </div> <div id='notscrollme'></div> <script> function initEventHandlers(element) { element.addEventListener('mousedown', handleEvent); element.addEventListener('mouseup', handleEvent); } window.events = { 'scrollme': [], 'notscrollme': [] }; function handleEvent(e) { window.events[e.target.id].push(e); } window.onload = async () => { let d1 = document.querySelector('#scrollme'); let d2 = document.querySelector('#notscrollme'); const middleButton = 1; initEventHandlers(d1); initEventHandlers(d2); internals.settings.setScrollAnimatorEnabled(false); promise_test(async () => { await waitForCompositorCommit(); await mouseDragAndDrop(d1.offsetLeft + d1.offsetWidth - 4, d1.offsetTop + 30, d2.offsetLeft + d2.offsetWidth - 4, d2.offsetTop + 4); await waitFor(() => { return events['scrollme'].length == 2; }); assert_greater_than(d1.scrollTop, 0); assert_equals(d2.scrollTop, 0); assert_equals(events['notscrollme'].length, 0); assert_equals(events['scrollme'][0].type, 'mousedown'); assert_equals(events['scrollme'][0].which, 1); assert_equals(events['scrollme'][1].type, 'mouseup'); assert_equals(events['scrollme'][1].which, 1); d1.scrollTop = 0; await waitForCompositorCommit(); await mouseDragAndDrop(d1.offsetLeft + d1.offsetWidth - 4, d1.offsetTop + 30, d2.offsetLeft + d2.offsetWidth - 4, d2.offsetTop + 4, middleButton); await waitFor(() => { return events['scrollme'].length == 4; }); assert_greater_than(d1.scrollTop, 0); assert_equals(d2.scrollTop, 0); assert_equals(events['notscrollme'].length, 0); assert_equals(events['scrollme'][2].type, 'mousedown'); assert_equals(events['scrollme'][2].which, 2); assert_equals(events['scrollme'][3].type, 'mouseup'); assert_equals(events['scrollme'][3].which, 2); }, 'Drag a scrollbar and release it on another DIV, only the DIV owns the' + ' dragging scrollbar receive mouse events'); } </script>
{ "content_hash": "cfe621fd10af0ed4af4da2a6f1e3a4fc", "timestamp": "", "source": "github", "line_count": 84, "max_line_length": 80, "avg_line_length": 30.011904761904763, "alnum_prop": 0.6303054343514478, "repo_name": "ric2b/Vivaldi-browser", "id": "a521ab1f280ed0c3db88295b49652f8cc19e3021", "size": "2521", "binary": false, "copies": "9", "ref": "refs/heads/master", "path": "chromium/third_party/blink/web_tests/fast/scrolling/scrollbars/scrollbar-mousedown-move-mouseup.html", "mode": "33188", "license": "bsd-3-clause", "language": [], "symlink_target": "" }
@class LDMItem; @interface LDKFormCells : NSObject + (UITableViewCell *)tableView:(UITableView *)tableView cellForAdHoc:(NSString *)label; + (UITableViewCell *)tableView:(UITableView *)tableView cellForAddNew:(NSString *)label; + (UITableViewCell* )tableView:(UITableView *)tableView multiCloneRelationListCellForLabel:(NSString*) label; + (UITableViewCell *)tableView:(UITableView *)tableView listCellForItem:(LDMItem *)item field:(NSString *)field label:(NSString *)label row:(NSInteger)row forMultiCloneItems:(NSMutableOrderedSet*)multiCloneItems; @end
{ "content_hash": "0651e5895bcbc11cd4d26d0698090f74", "timestamp": "", "source": "github", "line_count": 10, "max_line_length": 212, "avg_line_length": 55.9, "alnum_prop": 0.7996422182468694, "repo_name": "LiquidAnalytics/ld-api-examples", "id": "8cafe2ada6d4947a90416287feeb4c6699754f2b", "size": "734", "binary": false, "copies": "6", "ref": "refs/heads/master", "path": "ios/LPKTutorialOne-Swift/LiquidPlatformKit.framework/Headers/LDKFormCells.h", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "C", "bytes": "462995" }, { "name": "C++", "bytes": "705" }, { "name": "CSS", "bytes": "111" }, { "name": "HTML", "bytes": "586" }, { "name": "Java", "bytes": "3126" }, { "name": "JavaScript", "bytes": "37280" }, { "name": "Makefile", "bytes": "3176650" }, { "name": "Objective-C", "bytes": "7418107" }, { "name": "Python", "bytes": "16611" }, { "name": "Ruby", "bytes": "3398" }, { "name": "Shell", "bytes": "4290" }, { "name": "Swift", "bytes": "14910" } ], "symlink_target": "" }
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <!-- NewPage --> <html lang="en"> <head> <!-- Generated by javadoc (version 1.7.0_79) on Thu Nov 01 21:10:26 PDT 2018 --> <meta http-equiv="Content-Type" content="text/html; charset=UTF-8"> <title>Uses of Class com.ctc.wstx.dtd.DTDNmTokensAttr (Woodstox 5.2.0 API)</title> <meta name="date" content="2018-11-01"> <link rel="stylesheet" type="text/css" href="../../../../../stylesheet.css" title="Style"> </head> <body> <script type="text/javascript"><!-- if (location.href.indexOf('is-external=true') == -1) { parent.document.title="Uses of Class com.ctc.wstx.dtd.DTDNmTokensAttr (Woodstox 5.2.0 API)"; } //--> </script> <noscript> <div>JavaScript is disabled on your browser.</div> </noscript> <!-- ========= START OF TOP NAVBAR ======= --> <div class="topNav"><a name="navbar_top"> <!-- --> </a><a href="#skip-navbar_top" title="Skip navigation links"></a><a name="navbar_top_firstrow"> <!-- --> </a> <ul class="navList" title="Navigation"> <li><a href="../../../../../overview-summary.html">Overview</a></li> <li><a href="../package-summary.html">Package</a></li> <li><a href="../../../../../com/ctc/wstx/dtd/DTDNmTokensAttr.html" title="class in com.ctc.wstx.dtd">Class</a></li> <li class="navBarCell1Rev">Use</li> <li><a href="../package-tree.html">Tree</a></li> <li><a href="../../../../../deprecated-list.html">Deprecated</a></li> <li><a href="../../../../../index-all.html">Index</a></li> <li><a href="../../../../../help-doc.html">Help</a></li> </ul> </div> <div class="subNav"> <ul class="navList"> <li>Prev</li> <li>Next</li> </ul> <ul class="navList"> <li><a href="../../../../../index.html?com/ctc/wstx/dtd/class-use/DTDNmTokensAttr.html" target="_top">Frames</a></li> <li><a href="DTDNmTokensAttr.html" target="_top">No Frames</a></li> </ul> <ul class="navList" id="allclasses_navbar_top"> <li><a href="../../../../../allclasses-noframe.html">All Classes</a></li> </ul> <div> <script type="text/javascript"><!-- allClassesLink = document.getElementById("allclasses_navbar_top"); if(window==top) { allClassesLink.style.display = "block"; } else { allClassesLink.style.display = "none"; } //--> </script> </div> <a name="skip-navbar_top"> <!-- --> </a></div> <!-- ========= END OF TOP NAVBAR ========= --> <div class="header"> <h2 title="Uses of Class com.ctc.wstx.dtd.DTDNmTokensAttr" class="title">Uses of Class<br>com.ctc.wstx.dtd.DTDNmTokensAttr</h2> </div> <div class="classUseContainer">No usage of com.ctc.wstx.dtd.DTDNmTokensAttr</div> <!-- ======= START OF BOTTOM NAVBAR ====== --> <div class="bottomNav"><a name="navbar_bottom"> <!-- --> </a><a href="#skip-navbar_bottom" title="Skip navigation links"></a><a name="navbar_bottom_firstrow"> <!-- --> </a> <ul class="navList" title="Navigation"> <li><a href="../../../../../overview-summary.html">Overview</a></li> <li><a href="../package-summary.html">Package</a></li> <li><a href="../../../../../com/ctc/wstx/dtd/DTDNmTokensAttr.html" title="class in com.ctc.wstx.dtd">Class</a></li> <li class="navBarCell1Rev">Use</li> <li><a href="../package-tree.html">Tree</a></li> <li><a href="../../../../../deprecated-list.html">Deprecated</a></li> <li><a href="../../../../../index-all.html">Index</a></li> <li><a href="../../../../../help-doc.html">Help</a></li> </ul> </div> <div class="subNav"> <ul class="navList"> <li>Prev</li> <li>Next</li> </ul> <ul class="navList"> <li><a href="../../../../../index.html?com/ctc/wstx/dtd/class-use/DTDNmTokensAttr.html" target="_top">Frames</a></li> <li><a href="DTDNmTokensAttr.html" target="_top">No Frames</a></li> </ul> <ul class="navList" id="allclasses_navbar_bottom"> <li><a href="../../../../../allclasses-noframe.html">All Classes</a></li> </ul> <div> <script type="text/javascript"><!-- allClassesLink = document.getElementById("allclasses_navbar_bottom"); if(window==top) { allClassesLink.style.display = "block"; } else { allClassesLink.style.display = "none"; } //--> </script> </div> <a name="skip-navbar_bottom"> <!-- --> </a></div> <!-- ======== END OF BOTTOM NAVBAR ======= --> <p class="legalCopy"><small>Copyright &#169; 2018 <a href="http://fasterxml.com">FasterXML</a>. All rights reserved.</small></p> </body> </html>
{ "content_hash": "4949dcef7bbb731a4b54e77b888fe7f0", "timestamp": "", "source": "github", "line_count": 117, "max_line_length": 128, "avg_line_length": 36.888888888888886, "alnum_prop": 0.6119091751621872, "repo_name": "FasterXML/woodstox", "id": "0de8312642927cbf297c920ae7422637a3dbc76a", "size": "4316", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "docs/javadoc/5.2/com/ctc/wstx/dtd/class-use/DTDNmTokensAttr.html", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "HTML", "bytes": "2475" }, { "name": "Java", "bytes": "3239858" } ], "symlink_target": "" }
import gulp from 'gulp'; import runSequence from 'run-sequence'; gulp.task('build', () => ( runSequence( 'clean', 'markup', 'styles-dependencies', 'styles', 'scripts', 'images', 'copy' ) ));
{ "content_hash": "accb032bba949e96cc4a1f09de2c4a9b", "timestamp": "", "source": "github", "line_count": 14, "max_line_length": 39, "avg_line_length": 18.714285714285715, "alnum_prop": 0.48091603053435117, "repo_name": "dim2k2006/loftschool-js-friendsfilter", "id": "3b6502d8f9d9fbe09b391bf91c8c0c0969a5377d", "size": "262", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "gulp/tasks/build.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "31300" }, { "name": "HTML", "bytes": "15232" }, { "name": "JavaScript", "bytes": "19579" } ], "symlink_target": "" }
package htesting import ( "path/filepath" "github.com/gohugoio/hugo/cache/filecache" "github.com/gohugoio/hugo/config" "github.com/gohugoio/hugo/helpers" "github.com/gohugoio/hugo/hugofs" "github.com/gohugoio/hugo/media" "github.com/gohugoio/hugo/output" "github.com/gohugoio/hugo/resources" "github.com/spf13/afero" ) func NewTestResourceSpec() (*resources.Spec, error) { cfg := config.NewWithTestDefaults() imagingCfg := map[string]any{ "resampleFilter": "linear", "quality": 68, "anchor": "left", } cfg.Set("imaging", imagingCfg) fs := hugofs.NewFrom(hugofs.NewBaseFileDecorator(afero.NewMemMapFs()), cfg) s, err := helpers.NewPathSpec(fs, cfg, nil) if err != nil { return nil, err } filecaches, err := filecache.NewCaches(s) if err != nil { return nil, err } spec, err := resources.NewSpec(s, filecaches, nil, nil, nil, nil, output.DefaultFormats, media.DefaultTypes) return spec, err } func NewResourceTransformer(filename, content string) (resources.ResourceTransformer, error) { spec, err := NewTestResourceSpec() if err != nil { return nil, err } return NewResourceTransformerForSpec(spec, filename, content) } func NewResourceTransformerForSpec(spec *resources.Spec, filename, content string) (resources.ResourceTransformer, error) { filename = filepath.FromSlash(filename) fs := spec.Fs.Source if err := afero.WriteFile(fs, filename, []byte(content), 0777); err != nil { return nil, err } r, err := spec.New(resources.ResourceSourceDescriptor{Fs: fs, SourceFilename: filename}) if err != nil { return nil, err } return r.(resources.ResourceTransformer), nil }
{ "content_hash": "4e750a7d90b9cd97517ec3ff19146e86", "timestamp": "", "source": "github", "line_count": 65, "max_line_length": 123, "avg_line_length": 25.369230769230768, "alnum_prop": 0.7180109157064888, "repo_name": "gohugoio/hugo", "id": "3c91fc0dd548c4a9eff38eb146bfdd3bc2d29646", "size": "2258", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "resources/resource_transformers/htesting/testhelpers.go", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Dockerfile", "bytes": "1094" }, { "name": "Go", "bytes": "4360409" }, { "name": "HTML", "bytes": "31992" }, { "name": "Shell", "bytes": "2670" } ], "symlink_target": "" }
<?php namespace Askedio\Tests\App; class BadRelationB extends User { protected $softCascade = ['badrelation']; }
{ "content_hash": "75e51a0bbde080233c4dff7fd5d11ab0", "timestamp": "", "source": "github", "line_count": 8, "max_line_length": 45, "avg_line_length": 14.875, "alnum_prop": 0.7226890756302521, "repo_name": "Askedio/laravel5-soft-cascade", "id": "229a8442789811750d61a4cdc638a0850a3b47e9", "size": "119", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "tests/App/BadRelationB.php", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "1835" }, { "name": "HTML", "bytes": "565068" }, { "name": "JavaScript", "bytes": "1453" }, { "name": "PHP", "bytes": "47784" } ], "symlink_target": "" }