code
stringlengths
3
1.05M
repo_name
stringlengths
4
116
path
stringlengths
4
991
language
stringclasses
9 values
license
stringclasses
15 values
size
int32
3
1.05M
""" Tests for L{monotone}. """ from hypothesis import given, strategies as st import errno from monotone import get_clock_info, monotonic from monotone import _api, _bindings import os import platform import pytest needs_posix = pytest.mark.skipif( os.name == "posix" and platform.system() == "Darwin", reason="POSIX-only tests (clock_gettime(3))", ) needs_macos = pytest.mark.skipif( platform.system() != "Darwin", reason="macOS-only tests (mach_absolute_time(3))", ) @pytest.fixture def errno_value(): """ A particular errno. """ return errno.EINVAL @pytest.fixture def strerror(errno_value): """ The string representation of a particular errno """ return "[Errno {}] Invalid argument".format(errno_value) @pytest.fixture def apply_failing_clock_call(monkeypatch): """ Return a callable that patches in a failing system call fake that fails and return a list of calls to that fake. """ def _apply_failing_clock_call(name, errno_value): calls = [] def _failing_clock_call(clock_id, timespec): calls.append((clock_id, timespec)) monkeypatch.setattr(_api.ffi, "errno", errno.EINVAL) return -1 monkeypatch.setattr(_api, name, _failing_clock_call) return calls return _apply_failing_clock_call @pytest.fixture def apply_timespec(monkeypatch): """ Return a callable that patches in a fake over the specified clock call that sets the specified resolution and returns a list of calls to that fake. """ def _apply_timespec(name, goal_timespec): calls = [] def _fake_clock_call(clock_id, timespec): calls.append((clock_id, timespec)) timespec[0] = goal_timespec[0] return 0 monkeypatch.setattr(_api, name, _fake_clock_call) return calls return _apply_timespec class TestSimpleNamespace(object): """ Tests for L{_SimpleNamespace}. """ def test_init(self): """ The initializer updates the instance's C{__dict__} with its keyword arguments. """ namespace = _api._SimpleNamespace(x=1) assert namespace.x == 1 def test_repr(self): """ The instance's repr reflects its C{__dict__} """ namespace = _api._SimpleNamespace() namespace.y = 2 assert repr(namespace) == "namespace(y=2)" def test_eq(self): """ Two instances with equal C{__dict__}s are equal. """ assert _api._SimpleNamespace(a=1) == _api._SimpleNamespace(a=1) @needs_posix class TestGetClockInfoPosix(object): """ Tests for L{get_clock_info}. """ def test_non_monotonic(self): """ L{get_clock_info} only knows about the monotonic clock. """ with pytest.raises(ValueError): get_clock_info("not monotonic") def test_failure(self, apply_failing_clock_call, errno_value, strerror): """ A failure in C{clock_getres} results in an L{OSError} that presents the failure's errno. """ calls = apply_failing_clock_call('_clock_getres', errno_value) with pytest.raises(OSError) as exc: get_clock_info("monotonic") assert len(calls) == 1 assert calls[0][0] == _bindings.lib.CLOCK_MONOTONIC assert str(exc.value) == strerror @given( clock_getres_spec=st.fixed_dictionaries({ "tv_sec": st.sampled_from([0, 1]), "tv_nsec": st.sampled_from([0, 1]), }), ) def test_info(self, clock_getres_spec, apply_timespec): """ The reported info always includes a nanosecond resolution when C{clock_getres} indicates nanosecond resolution. """ calls = apply_timespec( "_clock_getres", _bindings.ffi.new("struct timespec *", clock_getres_spec), ) expected_info = _api._SimpleNamespace( adjustable=False, implementation="clock_gettime(MONOTONIC)", monotonic=True, resolution=None, # checked separately ) if clock_getres_spec['tv_nsec']: expected_resolution = 1e-09 else: expected_resolution = 1.0 info = get_clock_info("monotonic") resolution, info.resolution = info.resolution, None assert info == expected_info assert resolution - expected_resolution == pytest.approx(0.0) assert len(calls) == 1 assert calls[0][0] == _bindings.lib.CLOCK_MONOTONIC @needs_macos class TestGetClockInfoMacOS(object): """ Tests for L{get_clock_info}. """ def test_non_monotonic(self): """ L{get_clock_info} only knows about the monotonic clock. """ with pytest.raises(ValueError): get_clock_info("not monotonic") def test_info(self): """ The reported info always includes a nanosecond resolution. """ expected_info = _api._SimpleNamespace( adjustable=False, implementation="mach_absolute_time()", monotonic=True, resolution=None, # checked separately ) expected_resolution = 1e-09 info = get_clock_info("monotonic") resolution, info.resolution = info.resolution, None assert info == expected_info assert resolution - expected_resolution == pytest.approx(0.0) @needs_posix def test_monotonic_fails_posix(apply_failing_clock_call, errno_value, strerror): """ A failure in C{clock_gettime} results in an L{OSError} that presents the failure's errno. """ calls = apply_failing_clock_call('_clock_gettime', errno_value) with pytest.raises(OSError) as exc: monotonic() assert len(calls) == 1 assert calls[0][0] == _bindings.lib.CLOCK_MONOTONIC assert str(exc.value) == strerror @needs_posix @given( clock_gettime_spec=st.fixed_dictionaries({ "tv_sec": st.integers(min_value=0, max_value=2 ** 32 - 1), "tv_nsec": st.integers(min_value=0, max_value=2 ** 32 - 1), }), ) def test_clock(clock_gettime_spec, apply_timespec): """ For any given time resolution, the monotonic time equals the sum of the seconds and nanoseconds. """ clock_gettime_calls = apply_timespec( '_clock_gettime', _bindings.ffi.new("struct timespec *", clock_gettime_spec), ) # we a float, representing the current seconds plus the # nanoseconds (offset by a billion) iff the resolution is accurate # to the nanosecond. expected = float(clock_gettime_spec['tv_sec']) + ( clock_gettime_spec['tv_nsec'] * 1e-09) result = monotonic() assert result - expected == pytest.approx(0.0) assert clock_gettime_calls[0][0] == _bindings.lib.CLOCK_MONOTONIC def test_clock_increases(): """ A monotonic moment is never greater than a succeeding monotonic moment. """ assert monotonic() <= monotonic()
mrwsr/monotone
test/test_monotone.py
Python
mit
7,143
import require from 'require'; function getDescriptor(obj: Record<string, unknown>, path: string) { let parts = path.split('.'); let value: unknown = obj; for (let i = 0; i < parts.length - 1; i++) { let part = parts[i]!; // NOTE: This isn't entirely safe since we could have a null! value = (value as Record<string, unknown>)[part]; if (!value) { return undefined; } } let last = parts[parts.length - 1]!; return Object.getOwnPropertyDescriptor(value, last); } export default function confirmExport( Ember: Record<string, unknown>, assert: QUnit['assert'], path: string, moduleId: string, exportName: string | { value: unknown; get: string; set: string } ) { try { let desc: PropertyDescriptor | null | undefined; if (path !== null) { desc = getDescriptor(Ember, path); assert.ok(desc, `the ${path} property exists on the Ember global`); } else { desc = null; } if (desc == null) { let mod = require(moduleId); assert.notEqual( mod[exportName as string], undefined, `${moduleId}#${exportName} is not \`undefined\`` ); } else if (typeof exportName === 'string') { let mod = require(moduleId); let value = 'value' in desc ? desc.value : desc.get!.call(Ember); assert.equal(value, mod[exportName], `Ember.${path} is exported correctly`); assert.notEqual(mod[exportName], undefined, `Ember.${path} is not \`undefined\``); } else if ('value' in desc) { assert.equal(desc.value, exportName.value, `Ember.${path} is exported correctly`); } else { let mod = require(moduleId); assert.equal(desc.get, mod[exportName.get], `Ember.${path} getter is exported correctly`); assert.notEqual(desc.get, undefined, `Ember.${path} getter is not undefined`); if (exportName.set) { assert.equal(desc.set, mod[exportName.set], `Ember.${path} setter is exported correctly`); assert.notEqual(desc.set, undefined, `Ember.${path} setter is not undefined`); } } } catch (error) { assert.pushResult({ result: false, message: `An error occurred while testing ${path} is exported from ${moduleId}`, actual: error, expected: undefined, }); } }
emberjs/ember.js
packages/internal-test-helpers/lib/confirm-export.ts
TypeScript
mit
2,277
<?php namespace TenUp\Doze\v1_0_0; use PHPUnit_Framework_TestResult; use Text_Template; use WP_Mock; use WP_Mock\Tools\TestCase as BaseTestCase; class TestCase extends BaseTestCase { public function run( PHPUnit_Framework_TestResult $result = null ) { $this->setPreserveGlobalState( false ); return parent::run( $result ); } protected $testFiles = array(); public function setUp() { if ( ! empty( $this->testFiles ) ) { foreach ( $this->testFiles as $file ) { if ( file_exists( PROJECT . $file ) ) { require_once( PROJECT . $file ); } } } parent::setUp(); } public function assertActionsCalled() { $actions_not_added = $expected_actions = 0; try { WP_Mock::assertActionsCalled(); } catch ( \Exception $e ) { $actions_not_added = 1; $expected_actions = $e->getMessage(); } $this->assertEmpty( $actions_not_added, $expected_actions ); } public function ns( $function ) { if ( ! is_string( $function ) || false !== strpos( $function, '\\' ) ) { return $function; } $thisClassName = trim( get_class( $this ), '\\' ); if ( ! strpos( $thisClassName, '\\' ) ) { return $function; } // $thisNamespace is constructed by exploding the current class name on // namespace separators, running array_slice on that array starting at 0 // and ending one element from the end (chops the class name off) and // imploding that using namespace separators as the glue. $thisNamespace = implode( '\\', array_slice( explode( '\\', $thisClassName ), 0, - 1 ) ); return "$thisNamespace\\$function"; } /** * Define constants after requires/includes * * See http://kpayne.me/2012/07/02/phpunit-process-isolation-and-constant-already-defined/ * for more details * * @param \Text_Template $template */ public function prepareTemplate( \Text_Template $template ) { $template->setVar( [ 'globals' => '$GLOBALS[\'__PHPUNIT_BOOTSTRAP\'] = \'' . $GLOBALS['__PHPUNIT_BOOTSTRAP'] . '\';', ] ); parent::prepareTemplate( $template ); } }
ericmann/doze
tests/test-tools/TestCase.php
PHP
mit
2,024
<?php namespace Oro\Bundle\CalendarBundle\Form\EventListener; use Doctrine\Common\Collections\Collection; use Oro\Bundle\CalendarBundle\Entity\Attendee; use Symfony\Component\EventDispatcher\EventSubscriberInterface; use Symfony\Component\Form\FormEvent; use Symfony\Component\Form\FormEvents; /** * Makes sure indexes of attendees from request are equal to indexes of the same * attendees so that in the end we end up with correct data. */ class AttendeesSubscriber implements EventSubscriberInterface { /** * {@inheritdoc} */ public static function getSubscribedEvents() { return [ FormEvents::PRE_SUBMIT => ['fixSubmittedData', 100], ]; } /** * @SuppressWarnings(PHPMD.NPathComplexity) * * Makes sure indexes of attendees from request are equal to indexes of the same * attendees so that in the end we end up with correct data. * * @SuppressWarnings(PHPMD.CyclomaticComplexity) */ public function fixSubmittedData(FormEvent $event) { /** @var Attendee[]|Collection $data */ $data = $event->getData(); $attendees = $event->getForm()->getData(); if (!$attendees || !$data) { return; } $attendeeKeysByEmail = []; foreach ($attendees as $key => $attendee) { $id = $attendee->getEmail() ?: $attendee->getDisplayName(); if (!$id) { return; } $attendeeKeysByEmail[$id] = $key; } $nextNewKey = count($attendeeKeysByEmail); $fixedData = []; foreach ($data as $attendee) { if (empty($attendee['email']) && empty($attendee['displayName'])) { return; } $id = empty($attendee['email']) ? $attendee['displayName'] : $attendee['email']; $key = isset($attendeeKeysByEmail[$id]) ? $attendeeKeysByEmail[$id] : $nextNewKey++; $fixedData[$key] = $attendee; } $event->setData($fixedData); } }
orocrm/OroCalendarBundle
Form/EventListener/AttendeesSubscriber.php
PHP
mit
2,088
package com.lynx.service; import java.util.Collection; import java.util.Optional; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.data.domain.Sort; import org.springframework.stereotype.Service; import com.lynx.domain.User; import com.lynx.repository.UserRepository; import lombok.extern.slf4j.Slf4j; @Slf4j @Service public class UserService { @Autowired private UserRepository userRepository; public Optional<User> getUserById(String id) { log.debug("Getting user={}", id); return Optional.ofNullable(userRepository.findOne(id)); } public Optional<User> getUserByEmail(String email) { log.debug("Getting user by email={}", email.replaceFirst("@.*", "@***")); return userRepository.findOneByEmail(email); } public Collection<User> getAllUsers() { log.debug("Getting all users"); return userRepository.findAll(new Sort("email")); } public User create(User user) { return userRepository.save(user); } }
6o1/lynx-server
src/main/java/com/lynx/service/UserService.java
Java
mit
978
var _ = require('underscore'); var colors = require('colors'); var sprintf = require('sprintf-js').sprintf; /** * used to decode AIS messages. * Currently decodes types 1,2,3,4,5,9,18,19,21,24,27 * Currently does not decode 6,7,8,10,11,12,13,14,15,16,17,20,22,23,25,26 * Currently does not support the USCG Extended AIVDM messages * * Normal usage: * var decoder = new aivdmDecode.aivdmDecode(options) * then * decoder.decode(aivdm); * var msgData = decoder.getData(); * * aisData will return with an object that contains the message fields. * The object returned will also include the sentence(s) that were decoded. This is to make it easy to * use the decoder to filter based on in-message criteria but then forward the undecoded packets. * * The decoded data object uses field naming conventions in the same way that GPSD does. * * @param {object} options: * returnJson: If true then json is returned instead of a javascript object (default false) * aivdmPassthrough If true then the aivdm messages that were decoded are included with the returned object * default false */ /** * String.lpad: Used to pad mmsi's to 9 digits and imo's to 7 digits * Converts number to string, then lpads it with padString to length * @param {string} padString The character to use when padding * @param desiredLength The desired length after padding */ Number.prototype.lpad = function (padString, desiredLength) { var str = '' + this; while (str.length < desiredLength) str = padString + str; return str; }; var aivdmDecode = function (options) { if (options) { // returnJson: If true, returns json instead of an object this.returnJson = options.returnJson || false; // aivdmPassthrough: If true then the original aivdm sentences are embedded in the returned object this.aivdmPassthrough = options.aivdmPassthrough || true; // includeMID: If true then the mid (nationality) of the vessels is included in the returned object this.includeMID = options.includeMID || true; // accept_related. Passed as true to decoder when you wish static packets with accepted MMSI passed to output //this.accept_related = options.accept_related || true; // isDebug. If true, prints debug messages this.isDebug = options.isDebug || false; } else { this.returnJson = false; this.aivdmPassthrough = true; this.includeMID = true; this.isDebug = false; } this.AIVDM = ''; this.splitParts = []; // Contains aivdm's of multi part messages this.splitPart1Sequence = null; this.splitPart1Type = null; this.splitLines = []; // contains untrimmed lines of multi part messages this.numFragments = null; this.fragmentNum = null; this.seqMsgId = ''; this.binString = ''; this.partNo = null; this.channel = null; this.msgType = null; this.supportedTypes = [1,2,3,4,5,9,18,19,21,24,27]; this.char_table = [ /* 4th line would normally be: '[', '\\', ']', '^', '_', ' ', '!', '"', '#', '$', '%', '&', '\\', '(', ')', '*', '+', ',', '-','.', '/', but has been customized to eliminate most punctuation characters Last line would normally be: ':', ';', '<', '=', '>', '?' but has been customized to eliminate most punctuation characters */ '@', 'A', 'B', 'C', 'D', 'E', 'F', 'G', 'H', 'I', 'J', 'K', 'L', 'M', 'N', 'O', 'P', 'Q', 'R', 'S', 'T', 'U', 'V', 'W', 'X', 'Y', 'Z', '-', '-', '-', '-', '_', ' ', '-', '-', '-', '-', '-', '-', '-', '(', ')', '-', '-', '-', '-', '.', '-', '0', '1', '2', '3', '4', '5', '6', '7', '8', '9', '-', '-', '<', '-', '>', '-' ]; this.posGroups = { 1: {'lat': {'start': 89, 'length': 27, 'divisor': 600000.0}, 'lon': {'start': 61, 'length': 28, 'divisor': 600000.0}}, 2: {'lat': {'start': 89, 'length': 27, 'divisor': 600000.0}, 'lon': {'start': 61, 'length': 28, 'divisor': 600000.0}}, 3: {'lat': {'start': 89, 'length': 27, 'divisor': 600000.0}, 'lon': {'start': 61, 'length': 28, 'divisor': 600000.0}}, 4: {'lat': {'start': 107, 'length': 27, 'divisor': 600000.0}, 'lon': {'start': 79, 'length': 28, 'divisor': 600000.0}}, 9: {'lat': {'start': 89, 'length': 27, 'divisor': 600000.0}, 'lon': {'start': 61, 'length': 28, 'divisor': 600000.0}}, 18: {'lat': {'start': 85, 'length': 27, 'divisor': 600000.0}, 'lon': {'start': 57, 'length': 28, 'divisor': 600000.0}}, 19: {'lat': {'start': 85, 'length': 27, 'divisor': 600000.0}, 'lon': {'start': 57, 'length': 28, 'divisor': 600000.0}}, 21: {'lat': {'start': 192, 'length': 27, 'divisor': 600000.0}, 'lon': {'start': 164, 'length': 28, 'divisor': 600000.0}}, 27: {'lat': {'start': 62, 'length': 17, 'divisor': 600.0}, 'lon': {'start': 44, 'length': 18, 'divisor': 600.0}} }; this.speedGroups = { 1: {'start': 50, 'length': 10, 'divisor': 10}, 2: {'start': 50, 'length': 10, 'divisor': 10}, 3: {'start': 50, 'length': 10, 'divisor': 10}, 9: {'start': 50, 'length': 10, 'divisor': 1}, 18: {'start': 46, 'length': 10, 'divisor': 10}, 19: {'start': 46, 'length': 10, 'divisor': 10}, 27: {'start': 79, 'length': 6, 'divisor': 1} }; this.navStatusText = [ 'Under way using engine', 'At anchor', 'Not under command', 'Restricted manoeuverability', 'Constrained by her draught', 'Moored', 'Aground', 'Engaged in Fishing', 'Under way sailing', 'Reserved for future amendment of Navigational Status for HSC', 'Reserved for future amendment of Navigational Status for WIG', 'Reserved for future use', 'Reserved for future use', 'Reserved for future use', 'AIS-SART is active', 'Not defined' ]; this.maneuverText = [ 'Not available', 'No special maneuver', 'Special maneuver (such as regional passing arrangement' ]; this.epfdText = [ 'Undefined', 'GPS', 'GLONASS', 'Combined GPS/GLONASS', 'Loran-C', 'Chayka', 'Integrated navigation system', 'Surveyed', 'Galileo' ]; this.shiptypeText = [ "Not available", "Reserved for future use", "Reserved for future use", "Reserved for future use", "Reserved for future use", "Reserved for future use", "Reserved for future use", "Reserved for future use", "Reserved for future use", "Reserved for future use", "Reserved for future use", "Reserved for future use", "Reserved for future use", "Reserved for future use", "Reserved for future use", "Reserved for future use", "Reserved for future use", "Reserved for future use", "Reserved for future use", "Reserved for future use", "Wing in ground (WIG) - all ships of this type", "Wing in ground (WIG) - Hazardous category A", "Wing in ground (WIG) - Hazardous category B", "Wing in ground (WIG) - Hazardous category C", "Wing in ground (WIG) - Hazardous category D", "Wing in ground (WIG) - Reserved for future use", "Wing in ground (WIG) - Reserved for future use", "Wing in ground (WIG) - Reserved for future use", "Wing in ground (WIG) - Reserved for future use", "Wing in ground (WIG) - Reserved for future use", "Fishing", "Towing", "Towing: length exceeds 200m or breadth exceeds 25m", "Dredging or underwater ops", "Diving ops", "Military ops", "Sailing", "Pleasure Craft", "Reserved", "Reserved", "High speed craft (HSC) - all ships of this type", "High speed craft (HSC) - Hazardous category A", "High speed craft (HSC) - Hazardous category B", "High speed craft (HSC) - Hazardous category C", "High speed craft (HSC) - Hazardous category D", "High speed craft (HSC) - Reserved for future use", "High speed craft (HSC) - Reserved for future use", "High speed craft (HSC) - Reserved for future use", "High speed craft (HSC) - Reserved for future use", "High speed craft (HSC) - No additional information", "Pilot Vessel1", "Search and Rescue vessel", "Tug", "Port Tender", "Anti-pollution equipment", "Law Enforcement", "Spare - Local Vessel", "Spare - Local Vessel", "Medical Transport", "Ship according to RR Resolution No. 18", "Passenger - all ships of this type", "Passenger - Hazardous category A", "Passenger - Hazardous category B", "Passenger - Hazardous category C", "Passenger - Hazardous category D", "Passenger - Reserved for future use", "Passenger - Reserved for future use", "Passenger - Reserved for future use", "Passenger - Reserved for future use", "Passenger - No additional information", "Cargo - all ships of this type", "Cargo - Hazardous category A", "Cargo - Hazardous category B", "Cargo - Hazardous category C", "Cargo - Hazardous category D", "Cargo - Reserved for future use", "Cargo - Reserved for future use", "Cargo - Reserved for future use", "Cargo - Reserved for future use", "Cargo - No additional information", "Tanker - all ships of this type", "Tanker - Hazardous category A", "Tanker - Hazardous category B1", "Tanker - Hazardous category C1", "Tanker - Hazardous category D1", "Tanker - Reserved for future use", "Tanker - Reserved for future use", "Tanker - Reserved for future use", "Tanker - Reserved for future use", "Tanker - No additional information", "Other Type - all ships of this type", "Other Type - Hazardous category A", "Other Type - Hazardous category B", "Other Type - Hazardous category C", "Other Type - Hazardous category D", "Other Type - Reserved for future use", "Other Type - Reserved for future use", "Other Type - Reserved for future use", "Other Type - Reserved for future use", "Other Type - no additional information" ]; this.midTable = { 202: "Andorra (Principality of)", 203: "Austria", 204: "Azores - Portugal", 205: "Belgium", 206: "Belarus (Republic of)", 207: "Bulgaria (Republic of)", 208: "Vatican City State", 209: "Cyprus (Republic of)", 210: "Cyprus (Republic of)", 211: "Germany (Federal Republic of)", 212: "Cyprus (Republic of)", 213: "Georgia", 214: "Moldova (Republic of)", 215: "Malta", 216: "Armenia (Republic of)", 218: "Germany (Federal Republic of)", 219: "Denmark", 220: "Denmark", 224: "Spain", 225: "Spain", 226: "France", 227: "France", 228: "France", 229: "Malta", 230: "Finland", 231: "Faroe Islands - Denmark", 232: "United Kingdom of Great Britain and Northern Ireland", 233: "United Kingdom of Great Britain and Northern Ireland", 234: "United Kingdom of Great Britain and Northern Ireland", 235: "United Kingdom of Great Britain and Northern Ireland", 236: "Gibraltar - United Kingdom of Great Britain and Northern Ireland", 237: "Greece", 238: "Croatia (Republic of)", 239: "Greece", 240: "Greece", 241: "Greece", 242: "Morocco (Kingdom of)", 243: "Hungary", 244: "Netherlands (Kingdom of the)", 245: "Netherlands (Kingdom of the)", 246: "Netherlands (Kingdom of the)", 247: "Italy", 248: "Malta", 249: "Malta", 250: "Ireland", 251: "Iceland", 252: "Liechtenstein (Principality of)", 253: "Luxembourg", 254: "Monaco (Principality of)", 255: "Madeira - Portugal", 256: "Malta", 257: "Norway", 258: "Norway", 259: "Norway", 261: "Poland (Republic of)", 262: "Montenegro", 263: "Portugal", 264: "Romania", 265: "Sweden", 266: "Sweden", 267: "Slovak Republic", 268: "San Marino (Republic of)", 269: "Switzerland (Confederation of)", 270: "Czech Republic", 271: "Turkey", 272: "Ukraine", 273: "Russian Federation", 274: "The Former Yugoslav Republic of Macedonia", 275: "Latvia (Republic of)", 276: "Estonia (Republic of)", 277: "Lithuania (Republic of)", 278: "Slovenia (Republic of)", 279: "Serbia (Republic of)", 301: "Anguilla - United Kingdom of Great Britain and Northern Ireland", 303: "Alaska (State of) - United States of America", 304: "Antigua and Barbuda", 305: "Antigua and Barbuda", 306: "Dutch West Indies", //306: "Curaçao - Netherlands (Kingdom of the)", //306: "Sint Maarten (Dutch part) - Netherlands (Kingdom of the)", //306: "Bonaire, Sint Eustatius and Saba - Netherlands (Kingdom of the)", 307: "Aruba - Netherlands (Kingdom of the)", 308: "Bahamas (Commonwealth of the)", 309: "Bahamas (Commonwealth of the)", 310: "Bermuda - United Kingdom of Great Britain and Northern Ireland", 311: "Bahamas (Commonwealth of the)", 312: "Belize", 314: "Barbados", 316: "Canada", 319: "Cayman Islands - United Kingdom of Great Britain and Northern Ireland", 321: "Costa Rica", 323: "Cuba", 325: "Dominica (Commonwealth of)", 327: "Dominican Republic", 329: "Guadeloupe (French Department of) - France", 330: "Grenada", 331: "Greenland - Denmark", 332: "Guatemala (Republic of)", 334: "Honduras (Republic of)", 336: "Haiti (Republic of)", 338: "United States of America", 339: "Jamaica", 341: "Saint Kitts and Nevis (Federation of)", 343: "Saint Lucia", 345: "Mexico", 347: "Martinique (French Department of) - France", 348: "Montserrat - United Kingdom of Great Britain and Northern Ireland", 350: "Nicaragua", 351: "Panama (Republic of)", 352: "Panama (Republic of)", 353: "Panama (Republic of)", 354: "Panama (Republic of)", 355: "unassigned", 356: "unassigned", 357: "unassigned", 358: "Puerto Rico - United States of America", 359: "El Salvador (Republic of)", 361: "Saint Pierre and Miquelon (Territorial Collectivity of) - France", 362: "Trinidad and Tobago", 364: "Turks and Caicos Islands - United Kingdom of Great Britain and Northern Ireland", 366: "United States of America", 367: "United States of America", 368: "United States of America", 369: "United States of America", 370: "Panama (Republic of)", 371: "Panama (Republic of)", 372: "Panama (Republic of)", 373: "Panama (Republic of)", 375: "Saint Vincent and the Grenadines", 376: "Saint Vincent and the Grenadines", 377: "Saint Vincent and the Grenadines", 378: "British Virgin Islands - United Kingdom of Great Britain and Northern Ireland", 379: "United States Virgin Islands - United States of America", 401: "Afghanistan", 403: "Saudi Arabia (Kingdom of)", 405: "Bangladesh (People's Republic of)", 408: "Bahrain (Kingdom of)", 410: "Bhutan (Kingdom of)", 412: "China (People's Republic of)", 413: "China (People's Republic of)", 414: "China (People's Republic of)", 416: "Taiwan (Province of China) - China (People's Republic of)", 417: "Sri Lanka (Democratic Socialist Republic of)", 419: "India (Republic of)", 422: "Iran (Islamic Republic of)", 423: "Azerbaijan (Republic of)", 425: "Iraq (Republic of)", 428: "Israel (State of)", 431: "Japan", 432: "Japan", 434: "Turkmenistan", 436: "Kazakhstan (Republic of)", 437: "Uzbekistan (Republic of)", 438: "Jordan (Hashemite Kingdom of)", 440: "Korea (Republic of)", 441: "Korea (Republic of)", 443: "State of Palestine (In accordance with Resolution 99 Rev. Guadalajara, 2010)", 445: "Democratic People's Republic of Korea", 447: "Kuwait (State of)", 450: "Lebanon", 451: "Kyrgyz Republic", 453: "Macao (Special Administrative Region of China) - China (People's Republic of)", 455: "Maldives (Republic of)", 457: "Mongolia", 459: "Nepal (Federal Democratic Republic of)", 461: "Oman (Sultanate of)", 463: "Pakistan (Islamic Republic of)", 466: "Qatar (State of)", 468: "Syrian Arab Republic", 470: "United Arab Emirates", 472: "Tajikistan (Republic of)", 473: "Yemen (Republic of)", 475: "Yemen (Republic of)", 477: "Hong Kong (Special Administrative Region of China) - China (People's Republic of)", 478: "Bosnia and Herzegovina", 501: "Adelie Land - France", 503: "Australia", 506: "Myanmar (Union of)", 508: "Brunei Darussalam", 510: "Micronesia (Federated States of)", 511: "Palau (Republic of)", 512: "New Zealand", 514: "Cambodia (Kingdom of)", 515: "Cambodia (Kingdom of)", 516: "Christmas Island (Indian Ocean) - Australia", 518: "Cook Islands - New Zealand", 520: "Fiji (Republic of)", 523: "Cocos (Keeling) Islands - Australia", 525: "Indonesia (Republic of)", 529: "Kiribati (Republic of)", 531: "Lao People's Democratic Republic", 533: "Malaysia", 536: "Northern Mariana Islands (Commonwealth of the) - United States of America", 538: "Marshall Islands (Republic of the)", 540: "New Caledonia - France", 542: "Niue - New Zealand", 544: "Nauru (Republic of)", 546: "French Polynesia - France", 548: "Philippines (Republic of the)", 553: "Papua New Guinea", 555: "Pitcairn Island - United Kingdom of Great Britain and Northern Ireland", 557: "Solomon Islands", 559: "American Samoa - United States of America", 561: "Samoa (Independent State of)", 563: "Singapore (Republic of)", 564: "Singapore (Republic of)", 565: "Singapore (Republic of)", 566: "Singapore (Republic of)", 567: "Thailand", 570: "Tonga (Kingdom of)", 572: "Tuvalu", 574: "Viet Nam (Socialist Republic of)", 576: "Vanuatu (Republic of)", 577: "Vanuatu (Republic of)", 578: "Wallis and Futuna Islands - France", 601: "South Africa (Republic of)", 603: "Angola (Republic of)", 605: "Algeria (People's Democratic Republic of)", 607: "Saint Paul and Amsterdam Islands - France", 608: "Ascension Island - United Kingdom of Great Britain and Northern Ireland", 609: "Burundi (Republic of)", 610: "Benin (Republic of)", 611: "Botswana (Republic of)", 612: "Central African Republic", 613: "Cameroon (Republic of)", 615: "Congo (Republic of the)", 616: "Comoros (Union of the)", 617: "Cabo Verde (Republic of)", 618: "Crozet Archipelago - France", 619: "Côte d'Ivoire (Republic of)", 620: "Comoros (Union of the)", 621: "Djibouti (Republic of)", 622: "Egypt (Arab Republic of)", 624: "Ethiopia (Federal Democratic Republic of)", 625: "Eritrea", 626: "Gabonese Republic", 627: "Ghana", 629: "Gambia (Republic of the)", 630: "Guinea-Bissau (Republic of)", 631: "Equatorial Guinea (Republic of)", 632: "Guinea (Republic of)", 633: "Burkina Faso", 634: "Kenya (Republic of)", 635: "Kerguelen Islands - France", 636: "Liberia (Republic of)", 637: "Liberia (Republic of)", 638: "South Sudan (Republic of)", 642: "Libya", 644: "Lesotho (Kingdom of)", 645: "Mauritius (Republic of)", 647: "Madagascar (Republic of)", 649: "Mali (Republic of)", 650: "Mozambique (Republic of)", 654: "Mauritania (Islamic Republic of)", 655: "Malawi", 656: "Niger (Republic of the)", 657: "Nigeria (Federal Republic of)", 659: "Namibia (Republic of)", 660: "Reunion (French Department of) - France", 661: "Rwanda (Republic of)", 662: "Sudan (Republic of the)", 663: "Senegal (Republic of)", 664: "Seychelles (Republic of)", 665: "Saint Helena - United Kingdom of Great Britain and Northern Ireland", 666: "Somalia (Federal Republic of)", 667: "Sierra Leone", 668: "Sao Tome and Principe (Democratic Republic of)", 669: "Swaziland (Kingdom of)", 670: "Chad (Republic of)", 671: "Togolese Republic", 672: "Tunisia", 674: "Tanzania (United Republic of)", 675: "Uganda (Republic of)", 676: "Democratic Republic of the Congo", 677: "Tanzania (United Republic of)", 678: "Zambia (Republic of)", 679: "Zimbabwe (Republic of)", 701: "Argentine Republic", 710: "Brazil (Federative Republic of)", 720: "Bolivia (Plurinational State of)", 725: "Chile", 730: "Colombia (Republic of)", 735: "Ecuador", 740: "Falkland Islands (Malvinas) - United Kingdom of Great Britain and Northern Ireland", 745: "Guiana (French Department of) - France", 750: "Guyana", 755: "Paraguay (Republic of)", 760: "Peru", 765: "Suriname (Republic of)", 770: "Uruguay (Eastern Republic of)", 775: "Venezuela (Bolivarian Republic of)" }; this.functionMap = { "accuracy": "getAccuracy", "aid_type": "getAidType", "alt": "getAlt", "assigned": "getAssigned", "callsign": "getCallsign", "course": "getCourse", "day": "getDay", "destination": "getDestination", "dimensions": "getDimensions", "draught": "getDraught", "dte": "getDte", "epfd": "getEpfd", "fragmentNum": "getFragmentNum", "heading": "getHeading", "hour": "getHour", "imo": "getIMO", "latLon": "getLatLon", "maneuver": "getManeuver", "mid": "getMid", "mmsi": "getMMSI", "minute": "getMinute", "month": "getMonth", "name": "getName", "nameExtension": "getNameExtension", "numFragments": "getNumFragments", "off_position": "getOffPosition", "part": "getPartno", "radio": "getRadio", "raim": "getRaim", "second": "getSecond", "seqMsgId": "getSeqMsgId", "shiptype": "getShiptype", "speed": "getSpeed", "status": "getStatus", "turn": "getTurn", "type": "getType", "vendorInfo": "getVendorInfo", "virtual_aid": "getVirtualAid", "year": "getYear" }; /** * Type 6 and 8 (Binary addressed message and Binary broadcast message) contain lat/lon in some of their subtypes. * These messages are evidently only used in the St Lawrence seaway, the USG PAWSS system and the Port Authority of * london and aren't implemented in this code * * Type 17 is the Differential correction message type and is not implemented in this code * Type 22 is a channel management message and is not implemented in this code * Type 23 is a Group assignment message and is not implemented in this code */ }; /** Loads required attributes from AIVDM message for retrieval by other methods [0]=!AIVDM, [1]=Number of fragments, [2]=Fragment num, [3]=Seq msg ID, [4]=channel, [5]=payload, Fetch the AIVDM part of the line, from !AIVDM to the end of the line Split the line into fragments, delimited by commas fetch numFragments, fragmentNum and SeqMsgId (SeqMsgId may be empty) convert to a binary 6 bit string : param (string) line. The received message within which we hope an AIVDM statement exists :returns True if message is a single packet msg (1,2,3,9,18,27 etc) or part 1 of a multi_part message False if !AIVDM not in the line or exception during decode process */ aivdmDecode.prototype = { /** * getData(aivdm) * Decodes message, then returns an object containing extracted data * If the message is received in two parts (i.e. type 5 and 19) then * the return for the first of the messages is null. When the second part has been received then it * is combined with the first and decoded. * Whether a single or two part message, the return will contain the original message(s) in an array called 'aivdm' */ getData: function (line) { var lineData = { numFragments: this.numFragments, fragmentNum: this.fragmentNum, type: this.getType(), mmsi: this.getMMSI(), mid: this.getMid(), seqMsgId: this.getSeqMsgId(), aivdm: this.splitLines }; return this.msgTypeSwitcher(line, lineData); }, /** * msgTypeSwitcher * Used only by getData * Fills fields relevant to the message type * @param line The !AIVD string * @param lineData The partially filled lineData object * @returns {*} lineData object or false (if lineData is not filled */ msgTypeSwitcher: function (line, lineData) { switch (this.getType()) { // Implemented message types case 1: case 2: case 3: lineData = this.fill_1_2_3(line, lineData); break; case 4: lineData = this.fill_4(line, lineData); break; case 5: lineData = this.fill_5(line, lineData); break; case 9: lineData = this.fill_9(line, lineData); break; case 18: lineData = this.fill_18(line, lineData); break; case 19: lineData = this.fill_19(line, lineData); break; case 21: lineData = this.fill_21(line, lineData); break; case 24: lineData.partno = this.getPartno(); if (lineData.partno === 'A') { lineData = this.fill_24_0(line, lineData); } else if (lineData.partno === 'B') { lineData = this.fill_24_1(line, lineData); } break; case 27: lineData = this.fill_27(line, lineData); break; // unimplemented message types case 6: case 7: case 8: case 10: case 11: case 12: case 13: case 14: case 15: case 16: case 17: case 20: case 22: case 23: case 25: case 26: if (module.parent && module.parent.exports.isDebug) { //if (swu.hasProp(module, 'parent.exports.isDebug')) { console.log('Message type (switch) %d', parseInt(this.binString.substr(0, 6), 2)); console.log(line); console.log('-------------------------------------------------------'); } lineData = false; break; default: if (module.parent && module.parent.exports.isDebug) { //if (swu.hasProp(module, 'prent.exports.isDebug')) { console.log('Message type ????? %d ?????', parseInt(this.binString.substr(0, 6), 2)); } lineData = false; } if (lineData) { if (this.returnJson) { return JSON.stringify(lineData); } else { return lineData; } } else { return false; } }, fill_1_2_3: function (line, lineData) { var latLon = this.getLatLon(); var status = this.getStatus(); var maneuver = this.getManeuver(); if (this.aivdmPassthrough) { lineData.aivdm = [line]; } lineData.status = status.status_num; lineData.status_text = status.status_text; lineData.turn = this.getTurn(); lineData.speed = this.getSpeed(); lineData.accuracy = this.getAccuracy(); lineData.lon = latLon.lon; lineData.lat = latLon.lat; lineData.course = this.getCourse(); lineData.heading = this.getHeading(); lineData.second = this.getSecond(); lineData.maneuver = maneuver.maneuver; lineData.maneuver_text = maneuver.maneuver_text; lineData.raim = this.getRaim(); lineData.radio = this.getRadio(); return lineData; }, fill_4: function (line, lineData) { var latLon = this.getLatLon(); var epfd = this.getEpfd(); if (this.aivdmPassthrough) { lineData.aivdm = [line]; } lineData.year = this.getYear(); lineData.month = this.getMonth(); lineData.day = this.getDay(); lineData.hour = this.getHour(); lineData.minute = this.getMinute(); lineData.second = this.getSecond(); lineData.accuracy = this.getAccuracy(); lineData.lon = latLon.lon; lineData.lat = latLon.lat; lineData.epfd = epfd.epfd; lineData.epfd_text = epfd.epfd_text; lineData.raim = this.getRaim(); lineData.radio = this.getRadio(); return lineData; }, fill_5: function (line, lineData) { var dimensions = this.getDimensions(); var epfd = this.getEpfd(); var shiptype = this.getShiptype(); var eta = sprintf( '%s-%sT%s:%sZ', this.getMonth().lpad('0', 2), this.getDay().lpad('0', 2), this.getHour().lpad('0', 2), this.getMinute().lpad('0', 2) ); //if (this.aivdmPassthrough) { lineData.aivdm = this.splitLines; } //if (this.aivdmPassthrough) { lineData.aivdm = this.splitParts; } lineData.imo = this.getIMO(); lineData.callsign = this.getCallsign(); lineData.shipname = this.getName(); lineData.shiptype = shiptype.shiptype; lineData.shiptype_text = shiptype.shiptype_text; lineData.to_bow = dimensions.to_bow; lineData.to_stern = dimensions.to_stern; lineData.to_port = dimensions.to_port; lineData.to_starboard = dimensions.to_starboard; lineData.epfd = epfd.epfd; lineData.eta = eta; lineData.epfd_text = epfd.epfd.text; lineData.month = this.getMonth(); lineData.day = this.getDay(); lineData.hour = this.getHour(); lineData.minute = this.getMinute(); lineData.draught = this.getDraught(); lineData.destination = this.getDestination(); lineData.dte = this.getDte(); return lineData; }, fill_9: function (line, lineData) { var latLon = this.getLatLon(); if (this.aivdmPassthrough) { lineData.aivdm = [line]; } lineData.alt = this.getAlt(); lineData.speed = this.getSpeed(); lineData.accuracy = this.getAccuracy(); lineData.lon = latLon.lon; lineData.lat = latLon.lat; lineData.course = this.getCourse(); lineData.second = this.getSecond(); lineData.assigned = this.getAssigned(); lineData.raim = this.getRaim(); lineData.radio = this.getRadio(); return lineData; }, fill_18: function (line, lineData) { var latLon = this.getLatLon(); if (this.aivdmPassthrough) { lineData.aivdm = [line]; } lineData.speed = this.getSpeed(); lineData.accuracy = this.getAccuracy(); lineData.lon = latLon.lon; lineData.lat = latLon.lat; lineData.course = this.getCourse(); lineData.heading = this.getHeading(); lineData.second = this.getSecond(); lineData.raim = this.getRaim(); lineData.radio = this.getRadio(); return lineData; }, fill_19: function (line, lineData) { var latLon = this.getLatLon(); var dimensions = this.getDimensions(); var epfd = this.getEpfd(); var shiptype = this.getShiptype(); if (this.aivdmPassthrough) { lineData.aivdm = [line]; } lineData.speed = this.getSpeed(); lineData.accuracy = this.getAccuracy(); lineData.lon = latLon.lon; lineData.lat = latLon.lat; lineData.course = this.getCourse(); lineData.heading = this.getHeading(); lineData.second = this.getSecond(); lineData.shipname = this.getName(); lineData.shiptype = shiptype.shiptype; lineData.shiptype_text = shiptype.shiptype_text; lineData.to_bow = dimensions.to_bow; lineData.to_stern = dimensions.to_stern; lineData.to_port = dimensions.to_port; lineData.to_starboard = dimensions.to_starboard; lineData.epfd = epfd.epfd; lineData.epfd_text = epfd.epfd_text; lineData.raim = this.getRaim(); return lineData; }, fill_21: function (line, lineData) { var latLon = this.getLatLon(); var dimensions = this.getDimensions(); var epfd = this.getEpfd(); if (this.aivdmPassthrough) { lineData.aivdm = [line]; } lineData.aid_type = this.getAidType(); lineData.name = this.getName(); lineData.accuracy = this.getAccuracy(); lineData.lon = latLon.lon; lineData.lat = latLon.lat; lineData.to_bow = dimensions.to_bow; lineData.to_stern = dimensions.to_stern; lineData.to_port = dimensions.to_port; lineData.to_starboard = dimensions.to_starboard; lineData.epfd = epfd.epfd; lineData.epfd_text = epfd.epfd_text; lineData.second = this.getSecond(); lineData.off_position = this.getOffPosition(); lineData.raim = this.getRaim(); lineData.virtual_aid = this.getVirtualAid(); lineData.assigned = this.getAssigned(); lineData.name += this.getNameExtension(); return lineData; }, fill_24_0: function (line, lineData) { if (this.aivdmPassthrough) { lineData.aivdm = [line]; } lineData.part = this.getPartno(); lineData.shipname = this.getName(); return lineData; }, fill_24_1: function (line, lineData) { var dimensions; var vendorInfo = this.getVendorInfo(); var shiptype = this.getShiptype(); if (this.aivdmPassthrough) { lineData.aivdm = [line]; } lineData.part = this.getPartno(); lineData.shiptype = shiptype.shiptype; lineData.shiptype_text = shiptype.shiptype_text; lineData.callsign = this.getCallsign(); if (lineData.mmsi.toString().substr(0, 2) === '98') { // Then this is an auxiliary craft (see AIVDM Docs) lineData.mothership_mmsi = this.getBits(132, 30); dimensions = {to_bow: null, to_stern: null, to_port: null, to_starboard: null}; } else { lineData.mothership_mmsi = null; dimensions = this.getDimensions(); } lineData.vendorid = vendorInfo.vendorString; lineData.model = vendorInfo.model; lineData.serial = vendorInfo.serial; lineData.to_bow = dimensions.to_bow; lineData.to_stern = dimensions.to_stern; lineData.to_port = dimensions.to_port; lineData.to_starboard = dimensions.to_starboard; return lineData; }, fill_27: function (line, lineData) { var latLon = this.getLatLon(); var status = this.getStatus(); if (this.aivdmPassthrough) { lineData.aivdm = [line]; } lineData.accuracy = this.getAccuracy(); lineData.raim = this.getRaim(); lineData.status = status.status_num; lineData.status_text = status.status_text; lineData.lon = latLon.lon; lineData.lat = latLon.lat; lineData.speed = this.getSpeed(); lineData.course = this.getCourse(); return lineData; }, // ------------------------------- /** * getAccuracy() * @returns {boolean} false if 0, else true - to synchronise with how gpsd handles it */ getAccuracy: function () { switch (this.msgType) { case 1: case 2: case 3: case 9: return this.getBits(60, 1) !== 0; case 18: case 19: return this.getBits(56, 1) !== 0; case 21: return this.getBits(163, 1) !== 0; case 27: return this.getBits(38, 1) !== 0; default: return false; } }, getAidType: function () { return this.getBits(38,5); }, getAlt: function () { return this.getBits(38, 12); }, getAssigned: function () { switch (this.msgType) { case 9: return this.getBits(146, 1); case 21: return this.getBits(270, 1); default: return false; } }, getCallsign: function () { var callsignField; switch (this.msgType) { case 5: callsignField = this.binString.substr(70, 42); break; case 24: if (this.partNo == 1) { callsignField = this.binString.substr(90, 42); } else { callsignField = null; } break; default: callsignField = null } if (callsignField) { var callsignArray = callsignField.match(/.{1,6}/g); var callsign = ''; var self = this; _.each(callsignArray, function (binChar, index) { callsign += self.char_table[parseInt(binChar, 2)]; }); return callsign.replace(/@/g, '').trim(); } else { return false; } }, getCourse: function () { switch (this.msgType) { case 1: case 2: case 3: case 9: return this.getBits(116, 12) / 10; break; case 18: case 19: return this.getBits(112, 12) / 10; break; case 27: return this.getBits(85, 9); break; default: return false; } }, getDay: function () { switch (this.msgType) { case 4: return this.getBits(56, 5); case 5: return this.getBits(278, 5); default: return false; } }, getDestination: function () { var destField = null; switch (this.msgType) { case 5: destField = this.binString.substr(302, 120); break; default: destField = null } if (destField) { var destArray = destField.match(/.{1,6}/g); var destination = ''; var self = this; _.each(destArray, function (binChar, index) { destination += self.char_table[parseInt(binChar, 2)]; }); return destination.replace(/@/g, '').trim(); } else { return false; } }, getDimensions: function () { var dimensions = {to_bow: null, to_stern: null, to_port: null, to_starboard: null}; switch (this.msgType) { case 5: dimensions.to_bow = this.getBits(240, 9); dimensions.to_stern = this.getBits(249, 9); dimensions.to_port = this.getBits(258, 6); dimensions.to_starboard = this.getBits(264, 6); break; case 19: dimensions.to_bow = this.getBits(271, 9); dimensions.to_stern = this.getBits(280, 9); dimensions.to_port = this.getBits(289, 6); dimensions.to_starboard = this.getBits(295, 6); break; case 21: dimensions.to_bow = this.getBits(219, 9); dimensions.to_stern = this.getBits(228, 9); dimensions.to_port = this.getBits(237, 6); dimensions.to_starboard = this.getBits(243, 6); break; case 24: dimensions.to_bow = this.getBits(132, 9); dimensions.to_stern = this.getBits(141, 9); dimensions.to_port = this.getBits(150, 6); dimensions.to_starboard = this.getBits(156, 6); break; } return dimensions; }, getDraught: function () { switch (this.msgType) { case 5: return this.getBits(294, 8) / 10; default: return 0; } }, getDte: function () { switch (this.msgType) { case 5: return this.getBits(423, 1); default: return 0; } }, getETA: function () { }, getEpfd: function () { var epfd; switch (this.msgType) { case 4: epfd = this.getBits(134, 4); break; case 5: epfd = this.getBits(270, 4); break; case 19: epfd = this.getBits(310, 4); break; case 21: epfd = this.getBits(249, 4); break; default: epfd = 0; } if (epfd < 0 || epfd > 8) { epfd = 0; } return {epfd: epfd, epfd_text: this.epfdText[epfd]} }, getFragmentNum: function getFragmentNum () { return this.fragmentNum; }, getHeading: function () { switch (this.msgType) { case 1: case 2: case 3: return this.getBits(128, 9); case 18: case 19: return this.getBits(124, 9); default: return false; } }, getHour: function () { switch (this.msgType) { case 4: return this.getBits(61, 5); case 5: return this.getBits(283, 5); default: return false; } }, getIMO: function () { switch (this.msgType) { case 5: return this.getBits(40, 30); default: return false; } }, getLatLon: function () { // Does this message contain position info? var msgType = this.getType(); if (msgType in this.posGroups) { var latGroup = this.posGroups[msgType]['lat']; var lonGroup = this.posGroups[msgType]['lon']; // fetch the relevant bits var latString = this.binString.substr(latGroup['start'], latGroup['length']); var lonString = this.binString.substr(lonGroup['start'], lonGroup['length']); // convert them var lat = this.toTwosComplement(parseInt(latString, 2), latString.length) / latGroup['divisor']; var lon = this.toTwosComplement(parseInt(lonString, 2), lonString.length) / lonGroup['divisor']; return {"lat": parseFloat(lat.toFixed(4)), "lon": parseFloat(lon.toFixed(4))}; } else { // Not a message type that contains a position return {'lat': null, 'lon': null}; } }, getManeuver: function () { var man, maneuver_text; switch (this.msgType) { case 1: case 2: case 3: man = this.getBits(143, 2); break; default: man = 0; } if (man < 1 || man > 2) { man = 0; } maneuver_text = this.maneuverText[man]; return {maneuver: man, maneuver_text: maneuver_text}; }, /** * getMid() Fetched 3 digit MID number that is embedded in MMSI * The mid usually occupies chars 0,1 and 2 of the MMSI string * For some special cases it may be at another location (see below). * Uses this.midTable to look up nationality. * Returns "" unless the option 'includeMID' is set true in the aivdmDecode constructor options * @returns {string} mid - a string containing 3 numeric digits. */ getMid: function () { // See info in http://catb.org/gpsd/AIVDM.html if (this.includeMID) { var mid; var mmsi = this.getMMSI(); var nationality; if (mmsi !== null && mmsi.length === 9) { // Coastal station if (mmsi.substr(0, 2) == "00") { mid = mmsi.substr(2, 3); } // Group of ships (i.e. coast guard is 0369 else if (mmsi.substr(0, 1) === "0") { mid = mmsi.substr(1, 3); } // SAR Aircraft else if (mmsi.substr(0, 3) === "111") { mid = mmsi.substr(3, 3); } // Aus craft associated with a parent ship else if (mmsi.substr(0, 2) === "98" || mmsi.substr(0, 2) === "99") { mid = mmsi.substr(2, 3); } // AIS SART else if (mmsi.substr(0, 3) === "970") { mid = mmsi.substr(3, 3); } // MOB device (972) or EPIRB (974). Neither of these have a MID else if (mmsi.substr(0, 3) === "972" || mmsi.substr(0, 3) === "974") { mid = ""; } // Normal ship transponder else { mid = mmsi.substr(0, 3); } if (mid !== "") { nationality = this.midTable[mid]; if (nationality !== undefined) { if (typeof(nationality) !== 'string') { nationality = ""; } } else { nationality = ""; } } else { nationality = ""; } } else { nationality = ""; } } else { nationality = ""; } return nationality; }, getMMSI: function (/* onlyValidMid */) { //TODO: onlyValidMid to be implemented later return this.getBits(8, 30); }, getMinute: function () { switch (this.msgType) { case 4: return this.getBits(66, 6); case 5: return this.getBits(288, 6); default: return false; } }, getMonth: function () { switch (this.msgType) { case 4: return this.getBits(53, 4); case 5: return this.getBits(274, 4); default: return false; } }, getName: function () { var msgType = this.getType(); var nameField = null; switch (msgType) { case 5: nameField = this.binString.substr(112, 120); break; case 19: nameField = this.binString.substr(143, 120); break; case 21: nameField = this.binString.substr(43, 120); break; case 24: nameField = this.binString.substr(40, 120); break; default: nameField = null } if (nameField) { var nameArray = nameField.match(/.{1,6}/g); var name = ''; var self = this; _.each(nameArray, function (binChar, index) { name += self.char_table[parseInt(binChar, 2)]; }); return name.replace(/@/g, '').trim(); } else { return false; } }, getNameExtension: function () { switch (this.msgType) { case 21: if (this.binString.length >= 272) { var nameBits = this.binString.substring(272, this.binString.length -1); var nameArray = nameBits.match(/.{1,6}/g); var name = ''; var self = this; _.each(nameArray, function (binChar, index) { name += self.char_table[parseInt(binChar, 2)]; }); return name.replace(/@/g, '').trim(); } else { return ''; } break; default: return false; } }, getNumFragments: function getNumFragments () { return this.numFragments; }, getOffPosition: function () { return this.getBits(259, 1); }, getPartno: function () { switch (this.msgType) { case 24: var partRaw = parseInt(this.getBits(38, 2), 2); var partNo = partRaw === 0 ? 'A' : 'B'; return partNo; default: return ''; } }, getRadio: function () { switch (this.msgType) { case 1: case 2: case 3: return this.getBits(149, 19); case 9: case 18: return this.getBits(148, 19); default: return false; } }, getRaim: function () { switch (this.msgType) { case 1: case 2: case 3: return this.getBits(148, 1) !== 0; case 9: case 18: return this.getBits(147, 1) !== 0; case 19: return this.getBits(305, 1) !== 0; case 21: return this.getBits(268, 1) !== 0; case 27: return this.getBits(39, 1) !== 0; default: return false; } }, getSecond: function () { switch (this.msgType) { case 1: case 2: case 3: return this.getBits(137, 6); case 9: return this.getBits(128, 6); case 18: case 19: return this.getBits(133, 6); case 21: return this.getBits(253, 6); default: return false; } }, getSeqMsgId: function () { return this.seqMsgId; }, getShiptype: function () { var sType; switch (this.msgType) { case 5: sType = this.getBits(232, 8); break; case 19: sType = this.getBits(263, 8); break; case 24: sType = this.getBits(40, 8); break; default: sType = 0; } if (sType < 0 || sType > 99) { sType = 0; } return {shiptype: sType, shiptype_text: this.shiptypeText[sType]}; }, getSpeed: function () { if (this.numFragments == 1) { var msgType = this.getType(); if (msgType in this.speedGroups) { var group = this.speedGroups[msgType]; var speedString = this.binString.substr(group['start'], group['length']); return parseInt(speedString, 2) / group['divisor']; } else { return false; } } else { return false; } }, getStatus: function () { var statusText = "", statusNum = -1; switch (this.msgType) { case 1: case 2: case 3: statusNum = this.getBits(38, 4); break; case 27: statusNum = this.getBits(40, 4); break; } if (statusNum >= 0 && statusNum <= 15) { statusText = this.navStatusText[statusNum]; } // status_num coerced to string to match gpsdecode / gpsd return {status_num: '' + statusNum, status_text: statusText} }, /** * getTurn() Called only for types 1,2 and 3 * @returns {null} */ getTurn: function () { var turn = this.getBits(42, 8); switch (true) { case turn === 0: break; case turn > 0 && turn <= 126: return '' + (4.733 * Math.sqrt(turn)); case turn === 127: return 'fastright'; case turn < 0 && turn >= -126: return '' + (4.733 * Math.sqrt(turn)); case turn === -127: return 'fastleft'; case turn == 128 || turn == -128: return "nan"; default: return "nan"; } }, getType: function () { return this.getBits(0,6); }, getVendorInfo: function () { var vendorBits, vendorArray, vendorString, model, serial; switch (this.msgType) { case 24: vendorBits = this.binString.substr(48, 38); vendorArray = vendorBits.match(/.{1,6}/g); vendorString = ''; var self = this; _.each(vendorArray, function (binChar, index) { vendorString += self.char_table[parseInt(binChar, 2)]; }); vendorString = vendorString.replace(/@/g, '').trim(); model = parseInt(this.binString.substr(66, 4), 2); serial = parseInt(this.binString.substr(70, 20), 2); return {vendorString: vendorString, model: model, serial: serial}; } }, /** * getVendorID not currently implemented * @returns {*} */ getVendorID: function () { var msgType = this.getType(); var vendorID = null; switch (msgType) { case 24: vendorID = this.binString.substr(48, 18); break; default: vendorID = null } if (vendorID) { var vendorIDArray = vendorID.match(/.{1,6}/g); var vid = ''; var self = this; _.each(vendorIDArray, function (binChar, index) { vid += self.char_table[parseInt(binChar, 2)]; }); return vid.replace(/@/g, '').trim(); } else { return false; } }, getVirtualAid: function () { return this.getBits(269, 1); }, getYear: function () { switch (this.msgType) { case 4: return this.getBits(38, 14); default: return false; } }, // --------------------------------------- /** * manageFragments * makes aivdm sentences ready for data fetching by using buildBinString to convert them to a binary string * Returns true when a message is ready for data to be fetched. * For single part messages this is after processing of the aivdm payload * For multi part messages the payloads are accumulated until all have been received, then the binString * conversion is done. * For multi part messages returns false for the first and any intermediate messages * @param line A string containing an AIVDM or AIVDO sentence. May have a tag block on the front of the msg * @param payload The payload portion of the AIVD? string * @returns {boolean} true when this.binString has been set, false when this.binString is not set */ manageFragments: function (line, payload) { // this.splitParts is an array of payloads that are joined to become the binString of multi msgs // this.splitLines is an array of the received lines including AIVDM's if (this.numFragments === 1) { this.splitLines = [line]; this.binString = this.buildBinString(payload); this.msgType = this.getType(); return true; } else if (this.numFragments > 1 && this.fragmentNum === 1) { this.splitParts = [payload]; this.splitLines = [line]; this.splitPart1Sequence = this.seqMsgId; this.binString = this.buildBinString(payload); this.splitPart1Type = this.getType(); this.msgType = this.getType(); return false; } else if (this.numFragments > 1 && this.fragmentNum > 1) { if (this.seqMsgId === this.splitPart1Sequence) { this.splitParts.push(payload); this.splitLines.push(line); } } if (this.fragmentNum === this.numFragments) { var parts = this.splitParts.join(''); this.binString = this.buildBinString(parts); this.msgType = this.splitPart1Type; return true; } else { return false; } }, /** * decode * @param line A line containing an !AIVD sentence * @returns {boolean} true if this.binString has been set (ready for data to be fetched * false if: * binString not set, * line is not an !AIVD * !AIVD is not a supported type (see this.supportedTypes) */ decode: function (bLine) { var line = bLine.toString('utf8'); var aivdmPos = line.indexOf('!AIVD'); if (aivdmPos !== -1) { this.AIVDM = line.substr(aivdmPos); var aivdmFragments = this.AIVDM.split(','); this.numFragments = parseInt(aivdmFragments[1]); this.fragmentNum = parseInt(aivdmFragments[2]); try { this.seqMsgId = parseInt(aivdmFragments[3]); if (typeof(this.seqMsgId) !== 'number') { this.seqMsgId = ''; } } catch (err) { this.seqMsgId = ''; } this.channel = aivdmFragments[4]; var payload = aivdmFragments[5]; if (this.manageFragments(line, payload)) { if (_.contains(this.supportedTypes, this.msgType)) { this.msgType = this.getType(); if (this.msgType == 24) { this.partNo = this.getBits(38, 2) } return this.getData(bLine); //return true; // this.binString is ready } else { return false; } } else { // this.binString is not ready return false; } } else { // no !AIVD on front of line return false; } }, buildBinString: function (payload) { var binStr = ''; var payloadArr = payload.split(""); _.each(payloadArr, function (value) { var dec = value.charCodeAt(0); var bit8 = dec - 48; if (bit8 > 40) { bit8 -= 8; } var strBin = bit8.toString(2); strBin = sprintf('%06s', strBin); binStr += strBin; }); if (module.parent && module.parent.exports.isDebug) { //if (swu.hasProp(module, 'parent.exports.isDebug')) { console.log('binString for type ', parseInt(binStr.substr(0, 6), 2), payload, binStr); } return binStr; }, getBits: function (start, len) { return parseInt(this.binString.substr(start, len), 2); }, asciidec_2_8bit: function (dec) { var newDec = dec - 48; if (newDec > 40) { newDec -= 8; } return newDec; }, dec_2_6bit: function (bit8) { var strBin = bit8.toString(2); strBin = sprintf('%06s', strBin); return strBin; }, toTwosComplement: function (val, bits) { if ((val & (1 << (bits - 1))) != 0) { val -= 1 << bits; } return val; } }; module.exports = { aivdmDecode: aivdmDecode }; if (require.main === module) { var SW_utilsModule = require('SW_utils'); SW_utils = new SW_utilsModule.SW_Utils('aivdmDecode', false); /** * testSet * An array of objects. Each object contains: * aivdm: The raw aivdm sentence to be decoded * gpsd: aivdm as decoded by gpsdecode * test: The fields within the decoded aivdm to test * @type {*[]} */ var testSet = [ // type 5 first msg {aivdm: '!AIVDM,2,1,4,A,539cRCP00000@7WSON08:3?V222222222222221@4@=3340Ht50000000000,0*13', gpsd: '' }, // type 5 second msg {aivdm: '!AIVDM,2,2,4,A,00000000000,2*20', gpsd: {"class":"AIS","device":"stdin","type":5,"repeat":0,"mmsi":211477070,"scaled":true,"imo":0,"ais_version":0,"callsign":"DA9877 ","shipname":"BB 39","shiptype":80,"shiptype_text":"Tanker - all ships of this type","to_bow":34,"to_stern":13,"to_port":3,"to_starboard":3,"epfd":1,"epfd_text":"GPS","eta":"00-00T24:60Z","draught":2.0,"destination":"","dte":0}, test: ['type', 'mmsi', 'imo', 'callsign', 'shipname', 'shiptype', 'shiptype_text', 'to_bow', 'to_stern', 'to_port', 'to_starboard', 'epfd', 'eta', 'draught', 'destination', 'dte'] }, // type 1 {aivdm: '!AIVDM,1,1,,A,144iRPgP001N;PjOb:@F1?vj0PSB,0*47', gpsd: {"class":"AIS","device":"stdin","type":1,"repeat":0,"mmsi":273441410,"scaled":true,"status":"15","status_text":"Not defined","turn":"nan","speed":0.0,"accuracy":false,"lon":20.5739,"lat":55.3277,"course":154.0,"heading":511,"second":25,"maneuver":0,"raim":false,"radio":133330}, test: ['type', 'mmsi', 'status', 'status_text','turn', 'speed', 'accuracy', 'lon', 'lat', 'course', 'heading', 'second', 'maneuver', 'raim', 'radio'] }, // type 3 {aivdm: '!AIVDM,1,1,,A,33aTCJ0Oh;8>Q>7kW>eKwaf6010P,0*63', gpsd: {"class":"AIS","device":"stdin","type":3,"repeat":0,"mmsi":244913000,"scaled":true,"status":"0","status_text":"Under way using engine","turn":"fastright","speed":1.1,"accuracy":false,"lon":115.0198,"lat":-21.6479,"course":307.0,"heading":311,"second":3,"maneuver":0,"raim":false,"radio":4128}, test: ['type', 'mmsi', 'status', 'status_text', 'turn', 'speed', 'accuracy', 'lon', 'lat', 'course', 'heading', 'second', 'maneuver', 'raim', 'radio'] }, // type 9 {aivdm: "!AIVDM,1,1,,A,97oordNF>hPppq5af003QHi0S7sE,0*52", gpsd: { "class": "AIS", "device": "stdin", "type": 9, "repeat": 0, "mmsi": 528349873, "scaled": true, "alt": 3672, "speed": 944, "accuracy": true, "lon": 12.4276, "lat": -38.9393, "course": 90.1, "second": 35, "regional": 16, "dte": 0, "raim": false, "radio": 818901 }, test: ['type', 'mmsi', 'speed', 'lon', 'lat'] }, // type 24 {aivdm: '!AIVDM,1,1,,B,H7OeD@QLE=A<D63:22222222220,2*25', gpsd: {"class":"AIS","device":"stdin","type":24,"repeat":0,"mmsi":503010370,"scaled":true,"part":"A","shipname":"WESTSEA 2"}, test: ['type', 'mmsi', 'part', 'shipname'] }, //type 24 part A {aivdm: '!AIVDM,1,1,,A,H697GjPhT4t@4qUF3;G;?F22220,2*7E', gpsd: {"class":"AIS","device":"stdin","type":24,"repeat":0,"mmsi":412211146,"scaled":true,"part":"A","shipname":"LIAODANYU 25235"}, test: ['type', 'mmsi', 'part', 'shipname'] }, // type 24 part B {aivdm: '!AIVDM,1,1,,B,H3mw=<TT@B?>1F0<7kplk01H1120,0*5D', gpsd: {"class":"AIS","device":"stdin","type":24,"repeat":0,"mmsi":257936690,"scaled":true,"part":"B","shiptype":36,"shiptype_text":"Sailing","vendorid":"PRONAV","model":3,"serial":529792,"callsign":"LG3843","to_bow":11,"to_stern":1,"to_port":1,"to_starboard":2}, test: ['type', 'mmsi', 'part', 'shiptype', 'shiptype_text', 'vendorid', 'model', 'serial', 'callsign', 'to_bow', 'to_stern', 'to_port', 'to_starboard'] } ]; var aisDecoder = new aivdmDecode({returnJson: false, aivdmPassthrough: true}); _.each(testSet, function (val, index) { var decoded = aisDecoder.decode(val.aivdm); if (decoded) { var testSubject = aisDecoder.getData(val.aivdm); console.log(colors.cyan('Test subject ' + index)); if (testSubject && testSubject.type) { //if (swu.hasProp(testSubject, 'type')) { console.log(colors.cyan('Type: ' + testSubject.type)); } if (val.gpsd.part) { console.log(sprintf(colors.cyan('Part %s'), val.gpsd.part)); } if (val.test) { _.each(val.test, function (item) { console.log('Testing: ' + item); // test for undefined item in testSubject if (testSubject[item] === undefined) { console.log(colors.red('Item missing ' + item)); return; } // test that both items are the same type else if (typeof(val.gpsd[item]) !== typeof(testSubject[item])) { console.log(colors.red('Type mismatch: gpsd: ' + typeof(val.gpsd[item]) + ' me: ' + typeof(testSubject[item]))); return; } // if gpsd is int then testSubject should also be int else if (SW_utils.isInt(val.gpsd[item])) { if (!SW_utils.isInt(testSubject[item])) { console.log(colors.red('Type mismatch (gpsd int testsubject float')); return; } // if gpsd is float then testSubject should also be float } else if (SW_utils.isFloat(val.gpsd[item])) { if (!SW_utils.isFloat(testSubject[item])) { console.log(colors.red('Type mismatch (gpsd float testsubject int')); return } } // finally, test items for equality if (typeof(val.gpsd[item]) === 'string') { gItem = val.gpsd[item].trim(); tItem = testSubject[item].trim(); } else { gItem = val.gpsd[item]; tItem = testSubject[item]; } if (gItem === tItem) { console.log( sprintf(colors.yellow('Test ok gpsd: %s'), gItem) + sprintf(colors.cyan(' me: %s'), tItem) ); } else { console.log(colors.red('Test failed')); console.log(colors.red('gpsd: ' + val.gpsd[item] + ' me: ' + testSubject[item])) } }) } } if (this.isDebug) { console.log(colors.magenta('----------------------------------------------------------')); } }); }
Royhb/aivdmDecode
bin/aivdmDecode.js
JavaScript
mit
69,382
package ui import ( "image" "image/color" "image/draw" ) // UI represents an instance of the UI type UI struct { component WindowTitle string Input Input keyFuncs map[Key]func() error prevX, prevY int } // New creates a new UI instance func New(width, height int) *UI { rect := image.Rect(0, 0, width, height) ui := UI{ WindowTitle: "ui window", keyFuncs: make(map[Key]func() error), } ui.Dimension = Dimension{Width: width, Height: height} ui.Image = image.NewRGBA(rect) return &ui } // AddKeyFunc registers a function to run on key press func (ui *UI) AddKeyFunc(key Key, fnc func() error) { ui.keyFuncs[key] = fnc } // Update is called on every frame from the ebiten.Run update callback func (ui *UI) Update() error { ui.Input.updateMouse() ui.handleClick() if err := ui.handleKeypress(); err != nil { return err } return nil } // SetWindowTitle sets the title of the application window func (ui *UI) SetWindowTitle(s string) { ui.WindowTitle = s } // AddComponent adds a component to the ui func (ui *UI) AddComponent(o Component) { ui.addChild(o) } // Render returns a fresh frame of the GUI. mx, my is absolute mouse position func (ui *UI) Render() image.Image { mx := ui.Input.X my := ui.Input.Y if ui.isChildrenClean() { if mx == ui.prevX && my == ui.prevY { return ui.Image } if (mx < 0 || mx > ui.Dimension.Width) || (my < 0 || my > ui.Dimension.Height) { // cursor outside window will not change hover state return ui.Image } } ui.prevX = mx ui.prevY = my whole := image.Rect(0, 0, ui.Dimension.Width, ui.Dimension.Height) draw.Draw(ui.Image, whole, &image.Uniform{color.Transparent}, image.ZP, draw.Src) ui.drawChildren(mx, my) ui.drawTooltips(mx, my) return ui.Image } // mx, my is absolute mouse position func (ui *UI) drawTooltips(mx, my int) { for _, child := range ui.children { if grp, ok := child.(*Group); ok { for _, gchild := range grp.children { ui.drawTooltip(gchild, mx, my, mx-grp.Position.X, my-grp.Position.Y) } } ui.drawTooltip(child, mx, my, mx, my) } } func (ui *UI) drawTooltip(child Component, mx, my, relx, rely int) { r := child.GetBounds() child.Hover(relx >= r.Min.X && relx <= r.Max.X && rely >= r.Min.Y && rely <= r.Max.Y) tooltip := child.Tooltip() if child.IsMouseOver() && tooltip != nil { tooltip.Move(mx, my) tr := tooltip.GetBounds() draw.Draw(ui.Image, tr, tooltip.Draw(relx, rely), image.ZP, draw.Over) } } // IsClean returns true if all UI components are clean func (ui *UI) IsClean() bool { for _, c := range ui.children { if !c.IsClean() { return false } } return true } // handleKeypress runs corresponding function when a key is pressed func (ui *UI) handleKeypress() error { ui.Input.updateKeyboard() for key, fnc := range ui.keyFuncs { if ui.Input.StateForKey(key) { if err := fnc(); err != nil { return err } } } return nil }
martinlindhe/gameui
ui.go
GO
mit
2,922
# frozen_string_literal: true require 'basquiat/adapters/rabbitmq_adapter' RSpec.describe Basquiat::Adapters::RabbitMq do subject(:adapter) { Basquiat::Adapters::RabbitMq.new } let(:base_options) do { connection: { hosts: [ENV.fetch('BASQUIAT_RABBITMQ_1_PORT_5672_TCP_ADDR') { 'localhost' }], port: ENV.fetch('BASQUIAT_RABBITMQ_1_PORT_5672_TCP_PORT') { 5672 } }, publisher: { persistent: true } } end context 'RabbitMQ interactions' do before(:each) do adapter.adapter_options(base_options) adapter.reset_connection end after(:each) do remove_queues_and_exchanges end context 'publisher' do context 'main process' do it '#publish [enqueue a message]' do expect do adapter.publish('messages.welcome', data: 'A Nice Welcome Message') end.to_not raise_error end end context 'multiple threads' do let(:base_options) do { connection: { hosts: [ENV.fetch('BASQUIAT_RABBITMQ_1_PORT_5672_TCP_ADDR') { 'localhost' }], port: ENV.fetch('BASQUIAT_RABBITMQ_1_PORT_5672_TCP_PORT') { 5672 } }, publisher: { persistent: true, session_pool: { size: 10 } } } end before { Basquiat.configure { |c| c.connection = Bunny.new.tap(&:start) } } it '#publish [enqueue a message 10 times concurrently]' do expect do threads = [] 10.times do threads << Thread.new { adapter.publish('messages.welcome', data: 'A Nice Welcome Message') } end threads.each(&:join) end.not_to raise_error end after { Basquiat.configure { |c| c.connection = nil } } end end context 'listener' do it 'runs the rescue block when an exception happens' do coisa = '' adapter.subscribe_to('some.event', ->(_msg) { raise ArgumentError }) adapter.listen(block: false, rescue_proc: ->(ex, _msg) { coisa = ex.class.to_s }) adapter.publish('some.event', data: 'coisa') sleep 0.3 expect(coisa).to eq('ArgumentError') end it '#subscribe_to some event' do message = '' adapter.subscribe_to('some.event', ->(msg) { message = msg[:data].upcase }) adapter.listen(block: false) adapter.publish('some.event', data: 'message') sleep 0.3 expect(message).to eq('MESSAGE') end end it '#subscribe_to other.event with #' do message_received = '' subject.subscribe_to('other.event.#', ->(msg) { message_received = msg[:data].upcase }) subject.listen(block: false) subject.publish('other.event.test', data: 'some stuff') sleep 0.3 expect(message_received).to eq('SOME STUFF') end end def remove_queues_and_exchanges adapter.session.queue.delete adapter.session.exchange.delete rescue Bunny::TCPConnectionFailed true ensure adapter.send(:disconnect) end end
VAGAScom/basquiat
spec/lib/adapters/rabbitmq_adapter_spec.rb
Ruby
mit
3,032
/** * Created by raynald on 8/22/14. */ App.Collections.Contacts = Backbone.Collection.extend({ model : App.Models.Contact, localStorage: new Backbone.LocalStorage('my-contacts') });
raynaldmo/my-contacts
v1/public/js/collection/Contacts.js
JavaScript
mit
189
// // This file was generated by the JavaTM Architecture for XML Binding(JAXB) Reference Implementation, v2.2.4-2 // See <a href="http://java.sun.com/xml/jaxb">http://java.sun.com/xml/jaxb</a> // Any modifications to this file will be lost upon recompilation of the source schema. // Generated on: 2016.09.02 at 01:00:06 PM UYT // package dgi.classes.respuestas.reporte; import javax.xml.bind.annotation.XmlAccessType; import javax.xml.bind.annotation.XmlAccessorType; import javax.xml.bind.annotation.XmlElement; import javax.xml.bind.annotation.XmlType; /** * <p>Java class for RSAKeyValueType complex type. * * <p>The following schema fragment specifies the expected content contained within this class. * * <pre> * &lt;complexType name="RSAKeyValueType"> * &lt;complexContent> * &lt;restriction base="{http://www.w3.org/2001/XMLSchema}anyType"> * &lt;sequence> * &lt;element name="Modulus" type="{http://www.w3.org/2000/09/xmldsig#}CryptoBinary"/> * &lt;element name="Exponent" type="{http://www.w3.org/2000/09/xmldsig#}CryptoBinary"/> * &lt;/sequence> * &lt;/restriction> * &lt;/complexContent> * &lt;/complexType> * </pre> * * */ @XmlAccessorType(XmlAccessType.FIELD) @XmlType(name = "RSAKeyValueType", propOrder = { "modulus", "exponent" }) public class RSAKeyValueType { @XmlElement(name = "Modulus", required = true) protected byte[] modulus; @XmlElement(name = "Exponent", required = true) protected byte[] exponent; /** * Gets the value of the modulus property. * * @return * possible object is * byte[] */ public byte[] getModulus() { return modulus; } /** * Sets the value of the modulus property. * * @param value * allowed object is * byte[] */ public void setModulus(byte[] value) { this.modulus = value; } /** * Gets the value of the exponent property. * * @return * possible object is * byte[] */ public byte[] getExponent() { return exponent; } /** * Sets the value of the exponent property. * * @param value * allowed object is * byte[] */ public void setExponent(byte[] value) { this.exponent = value; } }
nicoribeiro/java_efactura_uy
app/dgi/classes/respuestas/reporte/RSAKeyValueType.java
Java
mit
2,365
using UnityEngine; using System.Collections; namespace Com.LuisPedroFonseca.ProCamera2D.TopDownShooter { public class EnemyAttack : MonoBehaviour { public float RotationSpeed = 2f; public Pool BulletPool; public Transform WeaponTip; public float FireRate = .3f; public float FireAngleRandomness = 10f; bool _hasTarget; Transform _target; NavMeshAgent _navMeshAgent; Transform _transform; void Awake() { _transform = transform; _navMeshAgent = this.GetComponentInChildren<NavMeshAgent>(); } public void Attack(Transform target) { _navMeshAgent.updateRotation = false; _target = target; _hasTarget = true; StartCoroutine(LookAtTarget()); StartCoroutine(FollowTarget()); StartCoroutine(Fire()); } public void StopAttack() { _navMeshAgent.updateRotation = true; _hasTarget = false; } IEnumerator LookAtTarget() { while (_hasTarget) { var lookAtPos = new Vector3(_target.position.x, _transform.position.y, _target.position.z); var diff = lookAtPos - _transform.position; var newRotation = Quaternion.LookRotation(diff, Vector3.up); _transform.rotation = Quaternion.Slerp(_transform.rotation, newRotation, RotationSpeed * Time.deltaTime); yield return null; } } IEnumerator FollowTarget() { while (_hasTarget) { var rnd = Random.insideUnitCircle; _navMeshAgent.destination = _target.position - (_target.position - _transform.position).normalized * 5f + new Vector3(rnd.x, 0, rnd.y); yield return null; } } IEnumerator Fire() { while (_hasTarget) { var bullet = BulletPool.nextThing; bullet.transform.position = WeaponTip.position; bullet.transform.rotation = _transform.rotation * Quaternion.Euler(new Vector3(0, -90 + Random.Range(-FireAngleRandomness, FireAngleRandomness), 0)); yield return new WaitForSeconds(FireRate); } } public static Vector2 RandomOnUnitCircle2(float radius) { Vector2 randomPointOnCircle = Random.insideUnitCircle; randomPointOnCircle.Normalize(); randomPointOnCircle *= radius; return randomPointOnCircle; } } }
LabGaming/Locally-multiplayer-minigame
Assets/ProCamera2D/Examples/TopDownShooter/Scripts/Enemy/EnemyAttack.cs
C#
mit
2,675
import * as React from 'react'; import { Ratings, Mode, Size, Layout } from '..'; import * as examples from './examples'; import { header, api, divider, importExample, playground, tab, code as baseCode, tabs, testkit, title, } from 'wix-storybook-utils/Sections'; import { allComponents } from '../../../../stories/utils/allComponents'; import { settingsPanel } from '../../../../stories/utils/SettingsPanel'; import { settingsApi } from '../../../../stories/utils/SettingsApi'; import * as ExtendedRawSource from '!raw-loader!./RatingsExtendedExample.tsx'; import * as ExtendedCSSRawSource from '!raw-loader!./RatingsExtendedExample.st.css'; import { RatingsExtendedExample } from './RatingsExtendedExample'; import { StoryCategory } from '../../../../stories/storyHierarchy'; const code = (config) => baseCode({ components: allComponents, compact: true, ...config }); export default { category: StoryCategory.COMPONENTS, storyName: 'Ratings', component: Ratings, componentPath: '../Ratings.tsx', componentProps: () => ({ 'data-hook': 'storybook-Ratings', }), exampleProps: { mode: Object.values(Mode), size: Object.values(Size), layout: Object.values(Layout), inputOptions: [ { value: [], label: 'no hovers' }, { value: ['Very Baasa', 'Baasa', 'OK', 'Achla', 'Very Achla'], label: 'with hovers', }, ], }, dataHook: 'storybook-Ratings', sections: [ header(), tabs([ tab({ title: 'Usage', sections: [ importExample({ source: examples.importExample, }), divider(), title('Examples'), ...[{ title: 'mode="input"', source: examples.defult }].map(code), ...[ { title: 'mode="input" with inputOptions', source: examples.inputWithValue, }, ].map(code), ...[{ title: 'mode="display"', source: examples.defaultDisplay }].map( code, ), ...[ { title: 'mode="display" with labels', source: examples.displayWithLables, }, ].map(code), ], }), ...[ { title: 'API', sections: [api()] }, { title: 'Style API', sections: [settingsApi()] }, { title: 'TestKit', sections: [testkit()] }, { title: 'Playground', sections: [playground()] }, { title: 'Settings Panel', sections: [ settingsPanel({ title: 'Settings Panel', example: <RatingsExtendedExample />, rawSource: ExtendedRawSource, rawCSSSource: ExtendedCSSRawSource, params: { colors: [ { label: 'Icon Color', wixParam: 'iconColor', defaultColor: 'color-8', }, { label: 'Icon Empty Color', wixParam: 'iconEmptyColor', defaultColor: 'color-3', }, { label: 'Text Color', wixParam: 'textColor', defaultColor: 'color-5', }, ], }, }), ], }, ].map(tab), ]), ], };
wix/wix-style-react
packages/wix-ui-tpa/src/components/Ratings/docs/index.story.tsx
TypeScript
mit
3,405
import * as path from 'path'; import { EmptyTree } from '@angular-devkit/schematics'; import { SchematicTestRunner, UnitTestTree } from '@angular-devkit/schematics/testing'; describe('Update 6.1.0', () => { let appTree: UnitTestTree; const schematicRunner = new SchematicTestRunner('ig-migrate', path.join(__dirname, '../migration-collection.json')); const configJson = { defaultProject: 'testProj', projects: { testProj: { sourceRoot: '/testSrc' } }, schematics: { '@schematics/angular:component': { prefix: 'appPrefix' } } }; beforeEach(() => { appTree = new UnitTestTree(new EmptyTree()); appTree.create('/angular.json', JSON.stringify(configJson)); }); it('should update igxToggle events and selectors', async () => { appTree.create( '/testSrc/appPrefix/component/test.component.html', `<igx-tab-bar attr igxForRemote="true"></igx-tab-bar>` + `<elem igxToggle (onOpen)="handler" (onClose)="handler"></elem>` ); const tree = await schematicRunner.runSchematicAsync('migration-04', {}, appTree) .toPromise(); expect(tree.readContent('/testSrc/appPrefix/component/test.component.html')) .toEqual( `<igx-bottom-nav attr></igx-bottom-nav>` + `<elem igxToggle (onOpened)="handler" (onClosed)="handler"></elem>`); }); });
Infragistics/zero-blocks
projects/igniteui-angular/migrations/update-6_1/index.spec.ts
TypeScript
mit
1,517
package cn.jzvd.demo; import android.content.Context; import android.os.Bundle; import android.support.v7.app.AppCompatActivity; import android.view.LayoutInflater; import android.view.MenuItem; import android.view.View; import android.view.ViewGroup; import android.widget.AbsListView; import android.widget.BaseAdapter; import android.widget.ListView; import android.widget.TextView; import com.bumptech.glide.Glide; import cn.jzvd.Jzvd; import cn.jzvd.JzvdStd; /** * Created by Nathen * On 2016/05/23 21:34 */ public class ActivityListViewMultiHolder extends AppCompatActivity { ListView listView; VideoListAdapter mAdapter; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.activity_listview_normal); getSupportActionBar().setDisplayHomeAsUpEnabled(true); getSupportActionBar().setDisplayShowHomeEnabled(true); getSupportActionBar().setDisplayShowTitleEnabled(true); getSupportActionBar().setDisplayUseLogoEnabled(false); getSupportActionBar().setTitle("MultiHolderListView"); listView = findViewById(R.id.listview); mAdapter = new VideoListAdapter(this); listView.setAdapter(mAdapter); listView.setOnScrollListener(new AbsListView.OnScrollListener() { @Override public void onScrollStateChanged(AbsListView view, int scrollState) { } @Override public void onScroll(AbsListView view, int firstVisibleItem, int visibleItemCount, int totalItemCount) { if (Jzvd.CURRENT_JZVD == null) return; int lastVisibleItem = firstVisibleItem + visibleItemCount; int currentPlayPosition = Jzvd.CURRENT_JZVD.positionInList; // Log.e(TAG, "onScrollReleaseAllVideos: " + // currentPlayPosition + " " + firstVisibleItem + " " + currentPlayPosition + " " + lastVisibleItem); if (currentPlayPosition >= 0) { if ((currentPlayPosition < firstVisibleItem || currentPlayPosition > (lastVisibleItem - 1))) { if (Jzvd.CURRENT_JZVD.screen != Jzvd.SCREEN_FULLSCREEN) { Jzvd.releaseAllVideos();//为什么最后一个视频横屏会调用这个,其他地方不会 } } } } }); } @Override public void onBackPressed() { if (Jzvd.backPress()) { return; } super.onBackPressed(); } @Override protected void onPause() { super.onPause(); Jzvd.releaseAllVideos(); } @Override public boolean onOptionsItemSelected(MenuItem item) { switch (item.getItemId()) { case android.R.id.home: finish(); break; } return super.onOptionsItemSelected(item); } public class VideoListAdapter extends BaseAdapter { int[] viewtype = {0, 0, 0, 1, 0, 0, 0, 1, 0, 0};//1 = jzvdStd, 0 = textView Context context; LayoutInflater mInflater; public VideoListAdapter(Context context) { this.context = context; mInflater = LayoutInflater.from(context); } @Override public int getCount() { return viewtype.length; } @Override public Object getItem(int position) { return null; } @Override public long getItemId(int position) { return position; } @Override public View getView(int position, View convertView, ViewGroup parent) { if (getItemViewType(position) == 1) { VideoHolder viewHolder; if (convertView != null && convertView.getTag() != null && convertView.getTag() instanceof VideoHolder) { viewHolder = (VideoHolder) convertView.getTag(); } else { viewHolder = new VideoHolder(); convertView = mInflater.inflate(R.layout.item_videoview, null); viewHolder.jzvdStd = convertView.findViewById(R.id.videoplayer); convertView.setTag(viewHolder); } viewHolder.jzvdStd.setUp( VideoConstant.videoUrls[0][position], VideoConstant.videoTitles[0][position], Jzvd.SCREEN_NORMAL); viewHolder.jzvdStd.positionInList = position; Glide.with(ActivityListViewMultiHolder.this) .load(VideoConstant.videoThumbs[0][position]) .into(viewHolder.jzvdStd.thumbImageView); } else { TextViewHolder textViewHolder; if (convertView != null && convertView.getTag() != null && convertView.getTag() instanceof TextViewHolder) { textViewHolder = (TextViewHolder) convertView.getTag(); } else { textViewHolder = new TextViewHolder(); LayoutInflater mInflater = LayoutInflater.from(context); convertView = mInflater.inflate(R.layout.item_textview, null); textViewHolder.textView = convertView.findViewById(R.id.textview); convertView.setTag(textViewHolder); } } return convertView; } @Override public int getItemViewType(int position) { return viewtype[position]; } @Override public int getViewTypeCount() { return 2; } class VideoHolder { JzvdStd jzvdStd; } class TextViewHolder { TextView textView; } } }
lipangit/JiaoZiVideoPlayer
app/src/main/java/cn/jzvd/demo/ActivityListViewMultiHolder.java
Java
mit
5,869
const assert = require('assert')
airtoxin/elekiter
test/index.js
JavaScript
mit
33
// @public import RavenType = require('raven-js'); import {Breadcrumb, CaptureOptions, User} from './interface'; export {Breadcrumb, CaptureOptions, User}; let output = { enabled: false, captureException(ex: Error, options?: CaptureOptions) {}, context<T>(fn: () => T): T { return fn(); }, wrap<TFunc extends Function>(fn: TFunc): TFunc { return fn; }, setUserContext(user?: User) {}, captureMessage(message: string, options?: CaptureOptions) {}, captureBreadcrumb(crumb: Breadcrumb) {}, showReportDialog(options?: {eventId?: string}) {}, }; if (process.env.SENTRY_DSN_CLIENT || process.env.SENTRY_DSN) { const Raven = require('raven-js') as typeof RavenType; Raven.config( (process.env.SENTRY_DSN_CLIENT || process.env.SENTRY_DSN)!, ).install(); (window as any).onunhandledrejection = function(e: any) { if (Raven) { Raven.captureException(e.reason); } }; output = { enabled: true, captureException(ex: Error, options?: CaptureOptions) { Raven.captureException(ex, options); }, context<T>(fn: () => T): T { return Raven.context(fn) as any; }, wrap<TFunc extends Function>(fn: TFunc): TFunc { return Raven.wrap(fn) as any; }, setUserContext(user?: User) { user ? Raven.setUserContext(user) : Raven.setUserContext(); }, captureMessage(message: string, options?: CaptureOptions) { Raven.captureMessage(message, options); }, captureBreadcrumb(crumb: Breadcrumb) { Raven.captureBreadcrumb(crumb); }, showReportDialog(options?: {eventId?: string}) { Raven.showReportDialog(options); }, }; } export default output; module.exports = output; module.exports.default = output;
mopedjs/moped
packages/sentry/src/client.ts
TypeScript
mit
1,735
// This file auto generated by plugin for ida pro. Generated code only for x64. Please, dont change manually #pragma once #include <common/common.h> START_ATF_NAMESPACE typedef SLR_FLAGS __MIDL___MIDL_itf_shobjidl_0212_0001; END_ATF_NAMESPACE
goodwinxp/Yorozuya
library/ATF/__MIDL___MIDL_itf_shobjidl_0212_0001.hpp
C++
mit
250
#region Copyright (c) 2014 Orcomp development team. // ------------------------------------------------------------------------------------------------------------------- // <copyright file="GraphExplorerViewModel.cs" company="Orcomp development team"> // Copyright (c) 2014 Orcomp development team. All rights reserved. // </copyright> // -------------------------------------------------------------------------------------------------------------------- #endregion namespace Orc.GraphExplorer.ViewModels { using System.ComponentModel; using System.Threading.Tasks; using Catel; using Catel.Configuration; using Catel.MVVM; using Factories; using Messages; using Models; using Services; public class GraphExplorerViewModel : ViewModelBase { #region Fields private readonly IGraphDataService _graphDataService; private readonly IGraphExplorerFactory _graphExplorerFactory; private readonly INavigationService _navigationService; #endregion #region Constructors public GraphExplorerViewModel(IGraphDataService graphDataService, IGraphExplorerFactory graphExplorerFactory, INavigationService navigationService) { Argument.IsNotNull(() => graphDataService); Argument.IsNotNull(() => graphExplorerFactory); Argument.IsNotNull(() => navigationService); _graphDataService = graphDataService; _graphExplorerFactory = graphExplorerFactory; _navigationService = navigationService; Explorer = _graphExplorerFactory.CreateExplorer(); CloseNavTabCommand = new Command(OnCloseNavTabCommandExecute); OpenSettingsCommand = new Command(OnOpenSettingsCommandExecute); EditingStartStopMessage.Register(this, OnEditingStartStopMessage, Explorer.EditorToolset.ToolsetName); ReadyToLoadGraphMessage.Register(this, OnReadyToLoadGraphMessage); NavigationMessage.Register(this, OnNavigationMessage); } #endregion #region Properties /// <summary> /// Gets the OpenSettingsCommand command. /// </summary> public Command OpenSettingsCommand { get; private set; } /// <summary> /// Gets the CloseNavTabCommand command. /// </summary> public Command CloseNavTabCommand { get; private set; } /// <summary> /// Gets or sets the property value. /// </summary> [Model] public Explorer Explorer { get; set; } /// <summary> /// Gets or sets the property value. /// </summary> [Model] [ViewModelToModel("Explorer")] public Settings Settings { get; set; } /// <summary> /// Gets or sets the property value. /// </summary> [ViewModelToModel("Settings")] public bool IsSettingsVisible { get; set; } /// <summary> /// Gets or sets the property value. /// </summary> [Model] [ViewModelToModel("Explorer")] public GraphToolset EditorToolset { get; set; } /// <summary> /// Gets or sets the property value. /// </summary> [ViewModelToModel("EditorToolset")] public bool IsChanged { get; set; } /// <summary> /// Gets or sets the property value. /// </summary> [ViewModelToModel("Explorer")] public bool IsNavTabVisible { get; set; } /// <summary> /// Gets or sets the property value. /// </summary> [ViewModelToModel("Explorer")] public bool IsNavTabSelected { get; set; } /// <summary> /// Gets or sets the property value. /// </summary> [DefaultValue(false)] public bool IsEditorTabSelected { get; set; } #endregion #region Methods private void OnNavigationMessage(NavigationMessage message) { _navigationService.NavigateTo(Explorer, message.Data); } private void OnReadyToLoadGraphMessage(ReadyToLoadGraphMessage message) { var editorArea = Explorer.EditorToolset.Area; if (string.Equals(message.Data, "Editor") && editorArea.GraphDataGetter == null) { editorArea.GraphDataGetter = _graphDataService; editorArea.GraphDataSaver = _graphDataService; } var navigatorArea = Explorer.NavigatorToolset.Area; if (string.Equals(message.Data, "Navigator") && navigatorArea.GraphDataGetter == null) { navigatorArea.GraphDataGetter = new NavigatorGraphDataGetter(); } } private void OnEditingStartStopMessage(EditingStartStopMessage message) { if (message.Data) { IsNavTabVisible = false; } } protected override async Task Initialize() { await base.Initialize(); IsEditorTabSelected = true; } /// <summary> /// Method to invoke when the OpenSettingsCommand command is executed. /// </summary> private void OnOpenSettingsCommandExecute() { IsSettingsVisible = !IsSettingsVisible; } /// <summary> /// Method to invoke when the CloseNavTabCommand command is executed. /// </summary> private void OnCloseNavTabCommandExecute() { IsNavTabVisible = false; IsNavTabSelected = false; IsEditorTabSelected = true; } #endregion } }
Orcomp/Orc.GraphExplorer
src/Orc.GraphExplorer/ViewModels/GraphExplorerViewModel.cs
C#
mit
5,680
require 'spec_helper' describe Fastball do it 'has a version number' do expect(Fastball::VERSION).not_to be nil end end
jbgo/fastball
spec/lib/fastball_spec.rb
Ruby
mit
129
namespace IronSharp.IronMQ { /// <summary> /// http://dev.iron.io/mq/reference/clouds/ /// </summary> public static class IronMqCloudHosts { public const string DEFAULT = AWS_US_EAST_HOST; /// <summary> /// Default /// </summary> public const string AWS_US_EAST_HOST = "mq-aws-us-east-1-1.iron.io"; } }
iron-io/iron_dotnet
src/IronSharp.IronMQ/IronMqCloudHosts.cs
C#
mit
371
package com.yngvark.communicate_through_named_pipes.input; import org.slf4j.Logger; import java.io.BufferedReader; import java.io.IOException; import static org.slf4j.LoggerFactory.getLogger; public class InputFileReader { private final Logger logger = getLogger(getClass()); private final BufferedReader bufferedReader; private boolean run = true; private boolean streamClosed = false; public InputFileReader(BufferedReader bufferedReader) { this.bufferedReader = bufferedReader; } /** * @throws IORuntimeException If an {@link java.io.IOException} occurs. */ public void consume(MessageListener messageListener) throws RuntimeException { logger.debug("Consume: start."); try { tryToConsume(messageListener); } catch (IOException e) { throw new IORuntimeException(e); } logger.debug(""); logger.debug("Consume: done."); } private void tryToConsume(MessageListener messageListener) throws IOException { String msg = null; while (run) { msg = bufferedReader.readLine(); if (msg == null) break; logger.trace("<<< From other side: " + msg); messageListener.messageReceived(msg); } if (msg == null) { logger.debug("Consume file stream was closed from other side."); } bufferedReader.close(); } public synchronized void closeStream() { logger.debug("Stopping consuming input file..."); if (streamClosed) { logger.info("Already stopped."); return; } run = false; try { logger.trace("Closing buffered reader."); bufferedReader.close(); streamClosed = true; } catch (IOException e) { logger.error("Caught exception when closing stream: {}", e); } logger.debug("Stopping consuming input file... done"); } }
yngvark/gridwalls2
source/lib/communicate-through-named-pipes/source/src/main/java/com/yngvark/communicate_through_named_pipes/input/InputFileReader.java
Java
mit
2,016
'use strict'; var _ = require('lodash'), jsonFormat = require('json-format'), grunt = require('grunt'); var util = require('../util/util'); module.exports = { json: function(data, options, generatedContent, callback){ if(_.isString(options.dest)){ grunt.file.write(options.dest + '/json/' + generatedContent.task + '.json', jsonFormat(generatedContent)); grunt.file.write(options.dest + '/json/content/' + data.uuid + '.json', jsonFormat(data)); } callback(generatedContent); } }; //
lwhiteley/grunt-pagespeed-report
tasks/config/reporters/json.js
JavaScript
mit
523
/** * Dont edit this file! * This module generates itself from lang.js files! * Instead edit the language files in /lang/ **/ /*global define*/ define(function () { "use strict"; var i18n = {}; i18n.de = { "Visit %s overview" : "Zur %s Übersicht", "An error occured, please reload." : "Es gab einen unerwarteten Fehler. Bitte laden Sie die Seite neu.", "Order successfully saved" : "Reihenfolge erfolgreich gespeichert", "Your browser doesnt support the following technologies: %s <br>Please update your browser!" : "Ihr Browser unterstützt die folgenden Technologien nicht: %s <br>Bitte installieren Sie eine neuere Version Ihres Browsers!", "Close" : "Schließen", "When asynchronously trying to load a ressource, I came across an error: %s" : "Beim Laden einer Ressource gab es leider folgenden Fehler: %s", "You are using an outdated web browser. Please consider an update!" : "Sie benutzen eine veraltete Browser Version. Bitte installieren Sie einen aktuelleren Browser.", "No results found." : "Keine Ergebnisse gefunden.", "No results found for \"%s\"." : "Keine Ergebnisse für \"%s\" gefunden.", "Illegal injection found" : "", "Could not load injection" : "", "You\'re almost done!" : "Du hast es fast geschafft!", "Show overview" : "Übersicht anzeigen", "Show %d contents for \"%s\"" : "", "Abort": "Abbrechen" }; i18n.en = { "An error occured, please reload." : "", "Close" : "", "Visit %s overview" : "", "Order successfully saved" : "", "Your browser doesnt support the following technologies: %s <br>Please update your browser!" : "", "When asynchronously trying to load a ressource, I came across an error: %s" : "", "You are using an outdated web browser. Please consider an update!" : "", "No results found." : "", "No results found for \"%s\"." : "", "Illegal injection found" : "", "Could not load injection" : "", "You\'re almost done!" : "", "Show overview" : "", "Show %d contents for \"%s\"" : "", "Abort": "" }; return i18n; });
creitiv/athene2
src/assets/source/scripts/modules/serlo_i18n.js
JavaScript
mit
2,085
'use strict'; /** * Module dependencies. */ var path = require('path'), mongoose = require('mongoose'), Person = mongoose.model('Person'), errorHandler = require(path.resolve('./modules/core/server/controllers/errors.server.controller')), _ = require('lodash'); /** * Create a Person */ exports.create = function(req, res) { var person = new Person(req.body); person.user = req.user; person.save(function(err) { if (err) { return res.status(400).send({ message: errorHandler.getErrorMessage(err) }); } else { res.jsonp(person); } }); }; /** * Show the current Person */ exports.read = function(req, res) { // convert mongoose document to JSON var person = req.person ? req.person.toJSON() : {}; // Add a custom field to the Article, for determining if the current User is the "owner". // NOTE: This field is NOT persisted to the database, since it doesn't exist in the Article model. // person.isCurrentUserOwner = req.user && person.user && person.user._id.toString() === req.user._id.toString(); res.jsonp(person); }; /** * Update a Person */ exports.update = function(req, res) { var person = req.person; person = _.extend(person, req.body); person.save(function(err) { if (err) { return res.status(400).send({ message: errorHandler.getErrorMessage(err) }); } else { res.jsonp(person); } }); }; /** * Delete a Person */ exports.delete = function(req, res) { var person = req.person; person.remove(function(err) { if (err) { return res.status(400).send({ message: errorHandler.getErrorMessage(err) }); } else { res.jsonp(person); } }); }; /** * List of People */ exports.list = function(req, res) { var search = {}; if (req.query.full_name) { search.full_name = new RegExp(req.query.full_name, 'i'); } if (req.query.url) { search.url = new RegExp(req.query.url, 'i'); } if (req.query.email) { search.email = new RegExp(req.query.email, 'i'); } if (req.query.job) { search.job = new RegExp(req.query.job, 'i'); } if (req.query.location_safe) { search.location_safe = new RegExp(req.query.location_safe, 'i'); } if (req.query.phone) { search.phone = new RegExp(req.query.phone, 'i'); } if (req.query.notes) { search.notes = new RegExp(req.query.notes, 'i'); } if (req.query.keywords) { search.keywords = new RegExp(req.query.keywords, 'i'); } Person.find(search).sort('-created').exec(function (err, people) { if (err) { return res.status(400).send({ message: err.message }); } else { res.json(people); } }); }; /** * List of Dupliacte People */ exports.duplicates = function (req, res) { var aggregate = [ { $group: { _id: { url: '$url' }, count: { $sum: 1 } } }, { $match: { count: { $gte: 2 } } } ]; Person.aggregate(aggregate, function (err, groups) { if (err) { return res.status(400).send({ message: err.message }); } else { var dup_urls = []; for (var i = 0; i < groups.length; i++) { var group = groups[i]; var _id = group._id; dup_urls.push(_id.url); } Person.find({ url: { $in: dup_urls } }).sort('url').exec(function (err, people) { if (err) { return res.status(400).send({ message: err.message }); } else { res.json(people); } }); } }); }; /** * Person middleware */ exports.personByID = function(req, res, next, id) { if (!mongoose.Types.ObjectId.isValid(id)) { return res.status(400).send({ message: 'Person is invalid' }); } Person.findById(id).populate('user', 'displayName').exec(function (err, person) { if (err) { return next(err); } else if (!person) { return res.status(404).send({ message: 'No Person with that identifier has been found' }); } req.person = person; next(); }); };
tmrotz/LinkedIn-People-MEAN.JS
modules/people/server/controllers/people.server.controller.js
JavaScript
mit
4,096
#include <iostream> #include <sstream> #include <vector> #include <cmath> #include <reader.hpp> #include <writer.hpp> using namespace std; using namespace jam; struct JoinK { JoinK(vector<vector<char>>&& input, int kIn) : g(input), k(kIn) { n = g.size(); } void rotate() { for (auto& v : g) { v.erase(remove(v.begin(), v.end(), '.'), v.end()); v.insert(v.begin(), g.size() - v.size(), '.'); } } bool winAt(int i, int j, char c) { bool winRight = false, winDown = false, winDiagRight = false, winDiagLeft = false; if (i <= n - k) { winDown = true; for (int x = i; x < i + k; ++x) { if (g[x][j] != c) { winDown = false; break; } } } if (j <= n - k) { winRight = true; for (int x = j; x < j + k; ++x) { if (g[i][x] != c) { winRight = false; break; } } } if (i <= n - k && j >= k - 1) { winDiagLeft = true; for (int x = 0; x < k; ++x) { if (g[i + x][j - x] != c) { winDiagLeft = false; break; } } } if (i <= n - k && j <= n - k) { winDiagRight = true; for (int x = 0; x < k; ++x) { if (g[i + x][j + x] != c) { winDiagRight = false; break; } } } return winRight || winDown || winDiagRight || winDiagLeft; } bool winFor(char c) { for (int i = 0; i < n; ++i) { for (int j = 0; j < n; ++j) { if (winAt(i, j, c)) { return true; } } } return false; } void dump() { cout << endl; for (int i = 0; i < n; ++i) { for (int j = 0; j < n; ++j) { cout << g[i][j]; } cout << endl; } } string result() { //dump(); bool redWins = winFor('R'); bool blueWins = winFor('B'); if (redWins && blueWins) return "Both"; else if (redWins) return "Red"; else if (blueWins) return "Blue"; else return "Neither"; } vector<vector<char>> g; int k; size_t n = 0; }; int main(int argc, char** argv) { Writer w(argc, argv); Reader r(argc, argv); stringstream ss; int numCases = 0; r.nextLine(ss); ss >> numCases; for (int i = 0; i < numCases; ++i) { r.nextLine(ss); int n, k; ss >> n >> k; vector<vector<char>> input; for (int j = 0; j < n; ++j) { r.nextLine(ss); string line; ss >> line; vector<char> temp; move(line.begin(), line.end(), back_inserter(temp)); input.push_back(temp); } JoinK j(move(input), k); j.rotate(); w.out() << "Case #" << (i + 1) << ": " << j.result() << '\n'; } return 0; }
zenonparker/googlejam
contests/2010_round1a_may_22/a/main.cpp
C++
mit
2,533
"use strict";require("retape")(require("./index"))
SunboX/fxos-washing-machine_interface
b2g_sdk/34.0a1-2014-08-12-04-02-01/B2G.app/Contents/MacOS/modules/commonjs/diffpatcher/test/tap.js
JavaScript
mit
50
/** * Copyright © 2009-2012 A. Matías Quezada */ use('sassmine').on(function(sas) { var Block = Class.extend({ constructor: function(message, code) { this.base(); this.message = message; this.code = code; this.before = []; this.after = []; }, execute: function() { this.code.call(null, sas); }, addBeforeEach: function(action) { this.before.push(action); }, addAfterEach: function(action) { this.after.push(action); }, beforeEach: function() { for (var i = 0; i < this.before.length; i++) this.before[i].call(null, sas); }, afterEach: function() { for (var i = 0; i < this.after.length; i++) this.after[i].call(null, sas); } }); sas.Spec = sas.Suite = Block.extend(); });
amatiasq/Sassmine
lib/Block.js
JavaScript
mit
753
#include <Core/Platform.h> #include <Shared/misc.h> #include <Core/Core.h> #include "DebugCamera.h" #include "SceneTools.h" DebugCamera::DebugCamera(Pimp::World* world) : world(world) , isEnabled(false) , isLookingAt(false) { ASSERT(nullptr != world); camera = new Pimp::Camera(world); world->GetElements().push_back(camera); camera->SetFOVy(0.563197f); xform = new Pimp::Xform(world); world->GetElements().push_back(xform); AddChildToParent(xform,world->GetRootNode()); AddChildToParent(camera,xform); } void DebugCamera::SetEnabled( bool enabled ) { if (enabled == isEnabled) return; else { isEnabled = enabled; if (true == isEnabled) { // Adopt current camera. Pimp::Camera* prevCam = world->GetCamera(); ASSERT(prevCam->GetParents().size() == 1); Pimp::Node* prevCamParent = prevCam->GetParents()[0]; ASSERT(prevCamParent->GetType() == Pimp::ET_Xform); Pimp::Xform* prevDirectedCamXform = static_cast<Pimp::Xform*>(prevCamParent); // And then set it as ours. xform->SetTranslation(prevDirectedCamXform->GetTranslation()); xform->SetRotation(prevDirectedCamXform->GetRotation()); world->SetCamera(camera); } } } void DebugCamera::Move( const Vector3& directionViewSpace ) { float speed = 1.0f; //< Totally framerate-dependent movement speed Vector3 dirWorld = xform->GetWorldTransform()->TransformNormal(directionViewSpace); Vector3 pos = xform->GetTranslation(); pos += dirWorld * speed; xform->SetTranslation(pos); } void DebugCamera::Roll(bool positive) { Quaternion rot = xform->GetRotation(); const float rollAmount = 0.10f; //< Totally framerate-dependent roll amount rot = CreateQuaternionFromYawPitchRoll(0, 0, positive ? rollAmount : -rollAmount) * rot; xform->SetRotation(rot); } void DebugCamera::StartLookAt() { ASSERT(!isLookingAt); isLookingAt = true; lookAtInitialRotation = xform->GetRotation(); } void DebugCamera::EndLookAt() { ASSERT(isLookingAt); isLookingAt = false; } void DebugCamera::LookAt(int deltaMouseX, int deltaMouseY) { ASSERT(isLookingAt); // Calculate new orientation const float mouseSensitivity = -0.01f; float yaw = deltaMouseX * mouseSensitivity; float pitch = deltaMouseY * mouseSensitivity; Quaternion camOrientationDelta = CreateQuaternionFromYawPitchRoll(yaw, pitch, 0); Quaternion newRot = camOrientationDelta * lookAtInitialRotation; xform->SetRotation(newRot); } void DebugCamera::DumpCurrentTransformToOutputWindow() { Quaternion rot = xform->GetRotation(); Vector3 pos = xform->GetTranslation(); Vector3 rotEulerXYZ = rot.GetEulerAnglesXYZ(); DEBUG_LOG("Current debug camera transform:"); DEBUG_LOG("X = %.2ff", pos.x); DEBUG_LOG("Y = %.2ff", pos.y); DEBUG_LOG("Z = %.2ff", pos.z); DEBUG_LOG("X = %.2ff", rot.x); DEBUG_LOG("Y = %.2ff", rot.y); DEBUG_LOG("Z = %.2ff", rot.z); DEBUG_LOG("W = %.2ff", rot.w); }
visualizersdotnl/tpb-06-final
Src/Player/DebugCamera.cpp
C++
mit
2,869
<?xml version="1.0" ?><!DOCTYPE TS><TS language="fa_IR" version="2.0"> <defaultcodec>UTF-8</defaultcodec> <context> <name>AboutDialog</name> <message> <location filename="../forms/aboutdialog.ui" line="+14"/> <source>About callcoin</source> <translation>در مورد بیتکویین</translation> </message> <message> <location line="+39"/> <source>&lt;b&gt;callcoin&lt;/b&gt; version</source> <translation>&lt;b&gt;callcoin&lt;/b&gt; version</translation> </message> <message> <location line="+57"/> <source> This is experimental software. Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard.</source> <translation type="unfinished"/> </message> <message> <location filename="../aboutdialog.cpp" line="+14"/> <source>Copyright</source> <translation type="unfinished"/> </message> <message> <location line="+0"/> <source>The callcoin developers</source> <translation type="unfinished"/> </message> </context> <context> <name>AddressBookPage</name> <message> <location filename="../forms/addressbookpage.ui" line="+14"/> <source>Address Book</source> <translation>دفترچه آدرس</translation> </message> <message> <location line="+19"/> <source>Double-click to edit address or label</source> <translation>برای ویرایش آدرس/برچسب دوبار کلیک نمایید</translation> </message> <message> <location line="+27"/> <source>Create a new address</source> <translation>یک آدرس جدید بسازید</translation> </message> <message> <location line="+14"/> <source>Copy the currently selected address to the system clipboard</source> <translation>آدرس انتخاب شده را در کلیپ بوردِ سیستم کپی کنید</translation> </message> <message> <location line="-11"/> <source>&amp;New Address</source> <translation>و آدرس جدید</translation> </message> <message> <location filename="../addressbookpage.cpp" line="+63"/> <source>These are your callcoin addresses for receiving payments. You may want to give a different one to each sender so you can keep track of who is paying you.</source> <translation type="unfinished"/> </message> <message> <location filename="../forms/addressbookpage.ui" line="+14"/> <source>&amp;Copy Address</source> <translation>و کپی آدرس</translation> </message> <message> <location line="+11"/> <source>Show &amp;QR Code</source> <translation>نشان و کد QR</translation> </message> <message> <location line="+11"/> <source>Sign a message to prove you own a callcoin address</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Sign &amp;Message</source> <translation type="unfinished"/> </message> <message> <location line="+25"/> <source>Delete the currently selected address from the list</source> <translation type="unfinished"/> </message> <message> <location line="+27"/> <source>Export the data in the current tab to a file</source> <translation>صدور داده نوار جاری به یک فایل</translation> </message> <message> <location line="+3"/> <source>&amp;Export</source> <translation type="unfinished"/> </message> <message> <location line="-44"/> <source>Verify a message to ensure it was signed with a specified callcoin address</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>&amp;Verify Message</source> <translation type="unfinished"/> </message> <message> <location line="+14"/> <source>&amp;Delete</source> <translation>و حذف</translation> </message> <message> <location filename="../addressbookpage.cpp" line="-5"/> <source>These are your callcoin addresses for sending payments. Always check the amount and the receiving address before sending coins.</source> <translation type="unfinished"/> </message> <message> <location line="+13"/> <source>Copy &amp;Label</source> <translation>کپی و برچسب</translation> </message> <message> <location line="+1"/> <source>&amp;Edit</source> <translation>و ویرایش</translation> </message> <message> <location line="+1"/> <source>Send &amp;Coins</source> <translation type="unfinished"/> </message> <message> <location line="+260"/> <source>Export Address Book Data</source> <translation>انتقال اطلاعات دفترچه آدرس</translation> </message> <message> <location line="+1"/> <source>Comma separated file (*.csv)</source> <translation>سی.اس.وی. (فایل جداگانه دستوری)</translation> </message> <message> <location line="+13"/> <source>Error exporting</source> <translation>صدور پیام خطا</translation> </message> <message> <location line="+0"/> <source>Could not write to file %1.</source> <translation>قابل کپی در فایل نیست %1</translation> </message> </context> <context> <name>AddressTableModel</name> <message> <location filename="../addresstablemodel.cpp" line="+144"/> <source>Label</source> <translation>برچسب</translation> </message> <message> <location line="+0"/> <source>Address</source> <translation>آدرس</translation> </message> <message> <location line="+36"/> <source>(no label)</source> <translation>(برچسب ندارد)</translation> </message> </context> <context> <name>AskPassphraseDialog</name> <message> <location filename="../forms/askpassphrasedialog.ui" line="+26"/> <source>Passphrase Dialog</source> <translation type="unfinished"/> </message> <message> <location line="+21"/> <source>Enter passphrase</source> <translation>رمز/پَس فرِیز را وارد کنید</translation> </message> <message> <location line="+14"/> <source>New passphrase</source> <translation>رمز/پَس فرِیز جدید را وارد کنید</translation> </message> <message> <location line="+14"/> <source>Repeat new passphrase</source> <translation>رمز/پَس فرِیز را دوباره وارد کنید</translation> </message> <message> <location filename="../askpassphrasedialog.cpp" line="+33"/> <source>Enter the new passphrase to the wallet.&lt;br/&gt;Please use a passphrase of &lt;b&gt;10 or more random characters&lt;/b&gt;, or &lt;b&gt;eight or more words&lt;/b&gt;.</source> <translation>رمز/پَس فرِیز جدید را در wallet وارد کنید. برای انتخاب رمز/پَس فرِیز از 10 کاراکتر تصادفی یا بیشتر و یا هشت کلمه یا بیشتر استفاده کنید. </translation> </message> <message> <location line="+1"/> <source>Encrypt wallet</source> <translation>wallet را رمزگذاری کنید</translation> </message> <message> <location line="+3"/> <source>This operation needs your wallet passphrase to unlock the wallet.</source> <translation>برای انجام این عملکرد به رمز/پَس فرِیزِwallet نیاز است تا آن را از حالت قفل درآورد.</translation> </message> <message> <location line="+5"/> <source>Unlock wallet</source> <translation>باز کردن قفل wallet </translation> </message> <message> <location line="+3"/> <source>This operation needs your wallet passphrase to decrypt the wallet.</source> <translation>برای کشف رمز wallet، به رمز/پَس فرِیزِwallet نیاز است.</translation> </message> <message> <location line="+5"/> <source>Decrypt wallet</source> <translation>کشف رمز wallet</translation> </message> <message> <location line="+3"/> <source>Change passphrase</source> <translation>تغییر رمز/پَس فرِیز</translation> </message> <message> <location line="+1"/> <source>Enter the old and new passphrase to the wallet.</source> <translation>رمز/پَس فرِیزِ قدیم و جدید را در wallet وارد کنید</translation> </message> <message> <location line="+46"/> <source>Confirm wallet encryption</source> <translation>رمزگذاری wallet را تایید کنید</translation> </message> <message> <location line="+1"/> <source>Warning: If you encrypt your wallet and lose your passphrase, you will &lt;b&gt;LOSE ALL OF YOUR SKEINCOINS&lt;/b&gt;!</source> <translation type="unfinished"/> </message> <message> <location line="+0"/> <source>Are you sure you wish to encrypt your wallet?</source> <translation type="unfinished"/> </message> <message> <location line="+15"/> <source>IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet.</source> <translation type="unfinished"/> </message> <message> <location line="+100"/> <location line="+24"/> <source>Warning: The Caps Lock key is on!</source> <translation type="unfinished"/> </message> <message> <location line="-130"/> <location line="+58"/> <source>Wallet encrypted</source> <translation>تایید رمزگذاری</translation> </message> <message> <location line="-56"/> <source>callcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your callcoins from being stolen by malware infecting your computer.</source> <translation>callcoin برای اتمام فرایند رمزگذاری بسته خواهد شد. به خاطر داشته باشید که رمزگذاری WALLET شما، کامپیوتر شما را از آلودگی به بدافزارها مصون نمی دارد.</translation> </message> <message> <location line="+13"/> <location line="+7"/> <location line="+42"/> <location line="+6"/> <source>Wallet encryption failed</source> <translation>رمزگذاری تایید نشد</translation> </message> <message> <location line="-54"/> <source>Wallet encryption failed due to an internal error. Your wallet was not encrypted.</source> <translation>رمزگذاری به علت خطای داخلی تایید نشد. wallet شما رمزگذاری نشد</translation> </message> <message> <location line="+7"/> <location line="+48"/> <source>The supplied passphrases do not match.</source> <translation>رمزهای/پَس فرِیزهایِ وارد شده با هم تطابق ندارند</translation> </message> <message> <location line="-37"/> <source>Wallet unlock failed</source> <translation>قفل wallet باز نشد</translation> </message> <message> <location line="+1"/> <location line="+11"/> <location line="+19"/> <source>The passphrase entered for the wallet decryption was incorrect.</source> <translation>رمزهای/پَس فرِیزهایِ وارد شده wallet برای کشف رمز اشتباه است.</translation> </message> <message> <location line="-20"/> <source>Wallet decryption failed</source> <translation>کشف رمز wallet انجام نشد</translation> </message> <message> <location line="+14"/> <source>Wallet passphrase was successfully changed.</source> <translation type="unfinished"/> </message> </context> <context> <name>BitcoinGUI</name> <message> <location filename="../bitcoingui.cpp" line="+233"/> <source>Sign &amp;message...</source> <translation>امضا و پیام</translation> </message> <message> <location line="+280"/> <source>Synchronizing with network...</source> <translation>به روز رسانی با شبکه...</translation> </message> <message> <location line="-349"/> <source>&amp;Overview</source> <translation>و بازبینی</translation> </message> <message> <location line="+1"/> <source>Show general overview of wallet</source> <translation>نمای کلی از wallet را نشان بده</translation> </message> <message> <location line="+20"/> <source>&amp;Transactions</source> <translation>و تراکنش</translation> </message> <message> <location line="+1"/> <source>Browse transaction history</source> <translation>تاریخچه تراکنش را باز کن</translation> </message> <message> <location line="+7"/> <source>Edit the list of stored addresses and labels</source> <translation>فهرست آدرسها و برچسبهای ذخیره شده را ویرایش کن</translation> </message> <message> <location line="-14"/> <source>Show the list of addresses for receiving payments</source> <translation>فهرست آدرسها را برای دریافت وجه نشان بده</translation> </message> <message> <location line="+31"/> <source>E&amp;xit</source> <translation>خروج</translation> </message> <message> <location line="+1"/> <source>Quit application</source> <translation>از &quot;درخواست نامه&quot;/ application خارج شو</translation> </message> <message> <location line="+4"/> <source>Show information about callcoin</source> <translation>اطلاعات در مورد callcoin را نشان بده</translation> </message> <message> <location line="+2"/> <source>About &amp;Qt</source> <translation>درباره و QT</translation> </message> <message> <location line="+1"/> <source>Show information about Qt</source> <translation>نمایش اطلاعات درباره QT</translation> </message> <message> <location line="+2"/> <source>&amp;Options...</source> <translation>و انتخابها</translation> </message> <message> <location line="+6"/> <source>&amp;Encrypt Wallet...</source> <translation>و رمزگذاری wallet</translation> </message> <message> <location line="+3"/> <source>&amp;Backup Wallet...</source> <translation>و گرفتن نسخه پیشتیبان از wallet</translation> </message> <message> <location line="+2"/> <source>&amp;Change Passphrase...</source> <translation>تغییر رمز/پَس فرِیز</translation> </message> <message> <location line="+285"/> <source>Importing blocks from disk...</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Reindexing blocks on disk...</source> <translation type="unfinished"/> </message> <message> <location line="-347"/> <source>Send coins to a callcoin address</source> <translation type="unfinished"/> </message> <message> <location line="+49"/> <source>Modify configuration options for callcoin</source> <translation>اصلاح انتخابها برای پیکربندی callcoin</translation> </message> <message> <location line="+9"/> <source>Backup wallet to another location</source> <translation>گرفتن نسخه پیشتیبان در آدرسی دیگر</translation> </message> <message> <location line="+2"/> <source>Change the passphrase used for wallet encryption</source> <translation>رمز مربوط به رمزگذاریِ wallet را تغییر دهید</translation> </message> <message> <location line="+6"/> <source>&amp;Debug window</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Open debugging and diagnostic console</source> <translation type="unfinished"/> </message> <message> <location line="-4"/> <source>&amp;Verify message...</source> <translation type="unfinished"/> </message> <message> <location line="-165"/> <location line="+530"/> <source>callcoin</source> <translation>callcoin</translation> </message> <message> <location line="-530"/> <source>Wallet</source> <translation>کیف پول</translation> </message> <message> <location line="+101"/> <source>&amp;Send</source> <translation type="unfinished"/> </message> <message> <location line="+7"/> <source>&amp;Receive</source> <translation type="unfinished"/> </message> <message> <location line="+14"/> <source>&amp;Addresses</source> <translation type="unfinished"/> </message> <message> <location line="+22"/> <source>&amp;About callcoin</source> <translation>&amp;در مورد بیتکویین</translation> </message> <message> <location line="+9"/> <source>&amp;Show / Hide</source> <translation>&amp;نمایش/ عدم نمایش و</translation> </message> <message> <location line="+1"/> <source>Show or hide the main Window</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Encrypt the private keys that belong to your wallet</source> <translation type="unfinished"/> </message> <message> <location line="+7"/> <source>Sign messages with your callcoin addresses to prove you own them</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Verify messages to ensure they were signed with specified callcoin addresses</source> <translation type="unfinished"/> </message> <message> <location line="+28"/> <source>&amp;File</source> <translation>و فایل</translation> </message> <message> <location line="+7"/> <source>&amp;Settings</source> <translation>و تنظیمات</translation> </message> <message> <location line="+6"/> <source>&amp;Help</source> <translation>و راهنما</translation> </message> <message> <location line="+9"/> <source>Tabs toolbar</source> <translation>نوار ابزار</translation> </message> <message> <location line="+17"/> <location line="+10"/> <source>[testnet]</source> <translation>[testnet]</translation> </message> <message> <location line="+47"/> <source>callcoin client</source> <translation>مشتری callcoin</translation> </message> <message numerus="yes"> <location line="+141"/> <source>%n active connection(s) to callcoin network</source> <translation><numerusform>%n ارتباط فعال به شبکه callcoin %n ارتباط فعال به شبکه callcoin</numerusform></translation> </message> <message> <location line="+22"/> <source>No block source available...</source> <translation type="unfinished"/> </message> <message> <location line="+12"/> <source>Processed %1 of %2 (estimated) blocks of transaction history.</source> <translation type="unfinished"/> </message> <message> <location line="+4"/> <source>Processed %1 blocks of transaction history.</source> <translation type="unfinished"/> </message> <message numerus="yes"> <location line="+20"/> <source>%n hour(s)</source> <translation type="unfinished"><numerusform></numerusform></translation> </message> <message numerus="yes"> <location line="+4"/> <source>%n day(s)</source> <translation type="unfinished"><numerusform></numerusform></translation> </message> <message numerus="yes"> <location line="+4"/> <source>%n week(s)</source> <translation type="unfinished"><numerusform></numerusform></translation> </message> <message> <location line="+4"/> <source>%1 behind</source> <translation type="unfinished"/> </message> <message> <location line="+14"/> <source>Last received block was generated %1 ago.</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Transactions after this will not yet be visible.</source> <translation type="unfinished"/> </message> <message> <location line="+22"/> <source>Error</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Warning</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Information</source> <translation type="unfinished"/> </message> <message> <location line="+70"/> <source>This transaction is over the size limit. You can still send it for a fee of %1, which goes to the nodes that process your transaction and helps to support the network. Do you want to pay the fee?</source> <translation type="unfinished"/> </message> <message> <location line="-140"/> <source>Up to date</source> <translation>روزآمد</translation> </message> <message> <location line="+31"/> <source>Catching up...</source> <translation>در حال روزآمد سازی..</translation> </message> <message> <location line="+113"/> <source>Confirm transaction fee</source> <translation type="unfinished"/> </message> <message> <location line="+8"/> <source>Sent transaction</source> <translation>ارسال تراکنش</translation> </message> <message> <location line="+0"/> <source>Incoming transaction</source> <translation>تراکنش دریافتی</translation> </message> <message> <location line="+1"/> <source>Date: %1 Amount: %2 Type: %3 Address: %4 </source> <translation>تاریخ: %1⏎ میزان وجه : %2⏎ نوع: %3⏎ آدرس: %4⏎ </translation> </message> <message> <location line="+33"/> <location line="+23"/> <source>URI handling</source> <translation type="unfinished"/> </message> <message> <location line="-23"/> <location line="+23"/> <source>URI can not be parsed! This can be caused by an invalid callcoin address or malformed URI parameters.</source> <translation type="unfinished"/> </message> <message> <location line="+17"/> <source>Wallet is &lt;b&gt;encrypted&lt;/b&gt; and currently &lt;b&gt;unlocked&lt;/b&gt;</source> <translation>wallet رمزگذاری شد و در حال حاضر از حالت قفل در آمده است</translation> </message> <message> <location line="+8"/> <source>Wallet is &lt;b&gt;encrypted&lt;/b&gt; and currently &lt;b&gt;locked&lt;/b&gt;</source> <translation>wallet رمزگذاری شد و در حال حاضر قفل است</translation> </message> <message> <location filename="../bitcoin.cpp" line="+111"/> <source>A fatal error occurred. callcoin can no longer continue safely and will quit.</source> <translation type="unfinished"/> </message> </context> <context> <name>ClientModel</name> <message> <location filename="../clientmodel.cpp" line="+104"/> <source>Network Alert</source> <translation>هشدار شبکه</translation> </message> </context> <context> <name>EditAddressDialog</name> <message> <location filename="../forms/editaddressdialog.ui" line="+14"/> <source>Edit Address</source> <translation>ویرایش آدرسها</translation> </message> <message> <location line="+11"/> <source>&amp;Label</source> <translation>و برچسب</translation> </message> <message> <location line="+10"/> <source>The label associated with this address book entry</source> <translation>برچسب مربوط به این دفترچه آدرس</translation> </message> <message> <location line="+7"/> <source>&amp;Address</source> <translation>و آدرس</translation> </message> <message> <location line="+10"/> <source>The address associated with this address book entry. This can only be modified for sending addresses.</source> <translation>برچسب مربوط به این دفترچه آدرس و تنها ب</translation> </message> <message> <location filename="../editaddressdialog.cpp" line="+21"/> <source>New receiving address</source> <translation>آدرسِ دریافت کننده جدید</translation> </message> <message> <location line="+4"/> <source>New sending address</source> <translation>آدرس ارسال کننده جدید</translation> </message> <message> <location line="+3"/> <source>Edit receiving address</source> <translation>ویرایش آدرسِ دریافت کننده</translation> </message> <message> <location line="+4"/> <source>Edit sending address</source> <translation>ویرایش آدرسِ ارسال کننده</translation> </message> <message> <location line="+76"/> <source>The entered address &quot;%1&quot; is already in the address book.</source> <translation>آدرس وارد شده %1 قبلا به فهرست آدرسها اضافه شده بوده است.</translation> </message> <message> <location line="-5"/> <source>The entered address &quot;%1&quot; is not a valid callcoin address.</source> <translation>آدرس وارد شده &quot;%1&quot; یک آدرس صحیح برای callcoin نسشت</translation> </message> <message> <location line="+10"/> <source>Could not unlock wallet.</source> <translation>عدم توانیی برای قفل گشایی wallet</translation> </message> <message> <location line="+5"/> <source>New key generation failed.</source> <translation>عدم توانیی در ایجاد کلید جدید</translation> </message> </context> <context> <name>GUIUtil::HelpMessageBox</name> <message> <location filename="../guiutil.cpp" line="+424"/> <location line="+12"/> <source>callcoin-Qt</source> <translation type="unfinished"/> </message> <message> <location line="-12"/> <source>version</source> <translation>نسخه</translation> </message> <message> <location line="+2"/> <source>Usage:</source> <translation>میزان استفاده:</translation> </message> <message> <location line="+1"/> <source>command-line options</source> <translation type="unfinished"/> </message> <message> <location line="+4"/> <source>UI options</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Set language, for example &quot;de_DE&quot; (default: system locale)</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Start minimized</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Show splash screen on startup (default: 1)</source> <translation type="unfinished"/> </message> </context> <context> <name>OptionsDialog</name> <message> <location filename="../forms/optionsdialog.ui" line="+14"/> <source>Options</source> <translation>انتخاب/آپشن</translation> </message> <message> <location line="+16"/> <source>&amp;Main</source> <translation type="unfinished"/> </message> <message> <location line="+6"/> <source>Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB.</source> <translation type="unfinished"/> </message> <message> <location line="+15"/> <source>Pay transaction &amp;fee</source> <translation type="unfinished"/> </message> <message> <location line="+31"/> <source>Automatically start callcoin after logging in to the system.</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>&amp;Start callcoin on system login</source> <translation type="unfinished"/> </message> <message> <location line="+35"/> <source>Reset all client options to default.</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>&amp;Reset Options</source> <translation type="unfinished"/> </message> <message> <location line="+13"/> <source>&amp;Network</source> <translation type="unfinished"/> </message> <message> <location line="+6"/> <source>Automatically open the callcoin client port on the router. This only works when your router supports UPnP and it is enabled.</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Map port using &amp;UPnP</source> <translation type="unfinished"/> </message> <message> <location line="+7"/> <source>Connect to the callcoin network through a SOCKS proxy (e.g. when connecting through Tor).</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>&amp;Connect through SOCKS proxy:</source> <translation type="unfinished"/> </message> <message> <location line="+9"/> <source>Proxy &amp;IP:</source> <translation type="unfinished"/> </message> <message> <location line="+19"/> <source>IP address of the proxy (e.g. 127.0.0.1)</source> <translation type="unfinished"/> </message> <message> <location line="+7"/> <source>&amp;Port:</source> <translation type="unfinished"/> </message> <message> <location line="+19"/> <source>Port of the proxy (e.g. 9050)</source> <translation type="unfinished"/> </message> <message> <location line="+7"/> <source>SOCKS &amp;Version:</source> <translation type="unfinished"/> </message> <message> <location line="+13"/> <source>SOCKS version of the proxy (e.g. 5)</source> <translation type="unfinished"/> </message> <message> <location line="+36"/> <source>&amp;Window</source> <translation type="unfinished"/> </message> <message> <location line="+6"/> <source>Show only a tray icon after minimizing the window.</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>&amp;Minimize to the tray instead of the taskbar</source> <translation type="unfinished"/> </message> <message> <location line="+7"/> <source>Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu.</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>M&amp;inimize on close</source> <translation type="unfinished"/> </message> <message> <location line="+21"/> <source>&amp;Display</source> <translation type="unfinished"/> </message> <message> <location line="+8"/> <source>User Interface &amp;language:</source> <translation type="unfinished"/> </message> <message> <location line="+13"/> <source>The user interface language can be set here. This setting will take effect after restarting callcoin.</source> <translation type="unfinished"/> </message> <message> <location line="+11"/> <source>&amp;Unit to show amounts in:</source> <translation type="unfinished"/> </message> <message> <location line="+13"/> <source>Choose the default subdivision unit to show in the interface and when sending coins.</source> <translation type="unfinished"/> </message> <message> <location line="+9"/> <source>Whether to show callcoin addresses in the transaction list or not.</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>&amp;Display addresses in transaction list</source> <translation>و نمایش آدرسها در فهرست تراکنش</translation> </message> <message> <location line="+71"/> <source>&amp;OK</source> <translation>و تایید</translation> </message> <message> <location line="+7"/> <source>&amp;Cancel</source> <translation>و رد</translation> </message> <message> <location line="+10"/> <source>&amp;Apply</source> <translation>و به کار گرفتن</translation> </message> <message> <location filename="../optionsdialog.cpp" line="+53"/> <source>default</source> <translation>پیش فرض</translation> </message> <message> <location line="+130"/> <source>Confirm options reset</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Some settings may require a client restart to take effect.</source> <translation type="unfinished"/> </message> <message> <location line="+0"/> <source>Do you want to proceed?</source> <translation type="unfinished"/> </message> <message> <location line="+42"/> <location line="+9"/> <source>Warning</source> <translation type="unfinished"/> </message> <message> <location line="-9"/> <location line="+9"/> <source>This setting will take effect after restarting callcoin.</source> <translation type="unfinished"/> </message> <message> <location line="+29"/> <source>The supplied proxy address is invalid.</source> <translation type="unfinished"/> </message> </context> <context> <name>OverviewPage</name> <message> <location filename="../forms/overviewpage.ui" line="+14"/> <source>Form</source> <translation>فرم</translation> </message> <message> <location line="+50"/> <location line="+166"/> <source>The displayed information may be out of date. Your wallet automatically synchronizes with the callcoin network after a connection is established, but this process has not completed yet.</source> <translation>اطلاعات نمایش داده شده ممکن است روزآمد نباشد. wallet شما به صورت خودکار بعد از برقراری اتصال با شبکه callcoin به روز می شود اما این فرایند هنوز تکمیل نشده است.</translation> </message> <message> <location line="-124"/> <source>Balance:</source> <translation>مانده حساب:</translation> </message> <message> <location line="+29"/> <source>Unconfirmed:</source> <translation>تایید نشده</translation> </message> <message> <location line="-78"/> <source>Wallet</source> <translation>کیف پول</translation> </message> <message> <location line="+107"/> <source>Immature:</source> <translation type="unfinished"/> </message> <message> <location line="+13"/> <source>Mined balance that has not yet matured</source> <translation type="unfinished"/> </message> <message> <location line="+46"/> <source>&lt;b&gt;Recent transactions&lt;/b&gt;</source> <translation>تراکنشهای اخیر</translation> </message> <message> <location line="-101"/> <source>Your current balance</source> <translation>مانده حساب جاری</translation> </message> <message> <location line="+29"/> <source>Total of transactions that have yet to be confirmed, and do not yet count toward the current balance</source> <translation>تعداد تراکنشهایی که نیاز به تایید دارند و هنوز در مانده حساب جاری شما به حساب نیامده اند</translation> </message> <message> <location filename="../overviewpage.cpp" line="+116"/> <location line="+1"/> <source>out of sync</source> <translation>خارج از روزآمد سازی</translation> </message> </context> <context> <name>PaymentServer</name> <message> <location filename="../paymentserver.cpp" line="+107"/> <source>Cannot start callcoin: click-to-pay handler</source> <translation type="unfinished"/> </message> </context> <context> <name>QRCodeDialog</name> <message> <location filename="../forms/qrcodedialog.ui" line="+14"/> <source>QR Code Dialog</source> <translation type="unfinished"/> </message> <message> <location line="+59"/> <source>Request Payment</source> <translation>درخواست وجه</translation> </message> <message> <location line="+56"/> <source>Amount:</source> <translation>میزان وجه:</translation> </message> <message> <location line="-44"/> <source>Label:</source> <translation>برچسب:</translation> </message> <message> <location line="+19"/> <source>Message:</source> <translation>پیام:</translation> </message> <message> <location line="+71"/> <source>&amp;Save As...</source> <translation>و ذخیره با عنوانِ...</translation> </message> <message> <location filename="../qrcodedialog.cpp" line="+62"/> <source>Error encoding URI into QR Code.</source> <translation type="unfinished"/> </message> <message> <location line="+40"/> <source>The entered amount is invalid, please check.</source> <translation type="unfinished"/> </message> <message> <location line="+23"/> <source>Resulting URI too long, try to reduce the text for label / message.</source> <translation>متن وارد شده طولانی است، متنِ برچسب/پیام را کوتاه کنید</translation> </message> <message> <location line="+25"/> <source>Save QR Code</source> <translation type="unfinished"/> </message> <message> <location line="+0"/> <source>PNG Images (*.png)</source> <translation>تصاویر با فرمت PNG (*.png)</translation> </message> </context> <context> <name>RPCConsole</name> <message> <location filename="../forms/rpcconsole.ui" line="+46"/> <source>Client name</source> <translation type="unfinished"/> </message> <message> <location line="+10"/> <location line="+23"/> <location line="+26"/> <location line="+23"/> <location line="+23"/> <location line="+36"/> <location line="+53"/> <location line="+23"/> <location line="+23"/> <location filename="../rpcconsole.cpp" line="+339"/> <source>N/A</source> <translation type="unfinished"/> </message> <message> <location line="-217"/> <source>Client version</source> <translation type="unfinished"/> </message> <message> <location line="-45"/> <source>&amp;Information</source> <translation type="unfinished"/> </message> <message> <location line="+68"/> <source>Using OpenSSL version</source> <translation type="unfinished"/> </message> <message> <location line="+49"/> <source>Startup time</source> <translation type="unfinished"/> </message> <message> <location line="+29"/> <source>Network</source> <translation type="unfinished"/> </message> <message> <location line="+7"/> <source>Number of connections</source> <translation type="unfinished"/> </message> <message> <location line="+23"/> <source>On testnet</source> <translation type="unfinished"/> </message> <message> <location line="+23"/> <source>Block chain</source> <translation type="unfinished"/> </message> <message> <location line="+7"/> <source>Current number of blocks</source> <translation type="unfinished"/> </message> <message> <location line="+23"/> <source>Estimated total blocks</source> <translation type="unfinished"/> </message> <message> <location line="+23"/> <source>Last block time</source> <translation type="unfinished"/> </message> <message> <location line="+52"/> <source>&amp;Open</source> <translation type="unfinished"/> </message> <message> <location line="+16"/> <source>Command-line options</source> <translation type="unfinished"/> </message> <message> <location line="+7"/> <source>Show the callcoin-Qt help message to get a list with possible callcoin command-line options.</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>&amp;Show</source> <translation type="unfinished"/> </message> <message> <location line="+24"/> <source>&amp;Console</source> <translation type="unfinished"/> </message> <message> <location line="-260"/> <source>Build date</source> <translation type="unfinished"/> </message> <message> <location line="-104"/> <source>callcoin - Debug window</source> <translation type="unfinished"/> </message> <message> <location line="+25"/> <source>callcoin Core</source> <translation type="unfinished"/> </message> <message> <location line="+279"/> <source>Debug log file</source> <translation type="unfinished"/> </message> <message> <location line="+7"/> <source>Open the callcoin debug log file from the current data directory. This can take a few seconds for large log files.</source> <translation type="unfinished"/> </message> <message> <location line="+102"/> <source>Clear console</source> <translation type="unfinished"/> </message> <message> <location filename="../rpcconsole.cpp" line="-30"/> <source>Welcome to the callcoin RPC console.</source> <translation>به کنسول آر.پی.سی. SKEINCOIN خوش آمدید</translation> </message> <message> <location line="+1"/> <source>Use up and down arrows to navigate history, and &lt;b&gt;Ctrl-L&lt;/b&gt; to clear screen.</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Type &lt;b&gt;help&lt;/b&gt; for an overview of available commands.</source> <translation type="unfinished"/> </message> </context> <context> <name>SendCoinsDialog</name> <message> <location filename="../forms/sendcoinsdialog.ui" line="+14"/> <location filename="../sendcoinsdialog.cpp" line="+124"/> <location line="+5"/> <location line="+5"/> <location line="+5"/> <location line="+6"/> <location line="+5"/> <location line="+5"/> <source>Send Coins</source> <translation>سکه های ارسالی</translation> </message> <message> <location line="+50"/> <source>Send to multiple recipients at once</source> <translation>ارسال همزمان به گیرنده های متعدد</translation> </message> <message> <location line="+3"/> <source>Add &amp;Recipient</source> <translation type="unfinished"/> </message> <message> <location line="+20"/> <source>Remove all transaction fields</source> <translation>تمامی فیلدهای تراکنش حذف شوند</translation> </message> <message> <location line="+3"/> <source>Clear &amp;All</source> <translation type="unfinished"/> </message> <message> <location line="+22"/> <source>Balance:</source> <translation>مانده حساب:</translation> </message> <message> <location line="+10"/> <source>123.456 BTC</source> <translation>123.456 BTC</translation> </message> <message> <location line="+31"/> <source>Confirm the send action</source> <translation>تایید عملیات ارسال </translation> </message> <message> <location line="+3"/> <source>S&amp;end</source> <translation>و ارسال</translation> </message> <message> <location filename="../sendcoinsdialog.cpp" line="-59"/> <source>&lt;b&gt;%1&lt;/b&gt; to %2 (%3)</source> <translation>%1 به %2 (%3)</translation> </message> <message> <location line="+5"/> <source>Confirm send coins</source> <translation>تایید ارسال سکه ها</translation> </message> <message> <location line="+1"/> <source>Are you sure you want to send %1?</source> <translation>شما مطمئن هستید که می خواهید %1 را ارسال کنید؟</translation> </message> <message> <location line="+0"/> <source> and </source> <translation>و</translation> </message> <message> <location line="+23"/> <source>The recipient address is not valid, please recheck.</source> <translation type="unfinished"/> </message> <message> <location line="+5"/> <source>The amount to pay must be larger than 0.</source> <translation>میزان پرداخت باید بیشتر از 0 باشد</translation> </message> <message> <location line="+5"/> <source>The amount exceeds your balance.</source> <translation type="unfinished"/> </message> <message> <location line="+5"/> <source>The total exceeds your balance when the %1 transaction fee is included.</source> <translation type="unfinished"/> </message> <message> <location line="+6"/> <source>Duplicate address found, can only send to each address once per send operation.</source> <translation type="unfinished"/> </message> <message> <location line="+5"/> <source>Error: Transaction creation failed!</source> <translation type="unfinished"/> </message> <message> <location line="+5"/> <source>Error: The transaction was rejected. This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here.</source> <translation>خطا: تراکنش تایید نشد. این خطا ممکن است به این دلیل اتفاق بیافتد که سکه های wallet شما خرج شده باشند مثلا اگر wallet.dat را مپی کرده باشید و سکه های شما در آن کپی استفاده شده باشند اما در اینجا نمایش داده نشده اند.</translation> </message> </context> <context> <name>SendCoinsEntry</name> <message> <location filename="../forms/sendcoinsentry.ui" line="+14"/> <source>Form</source> <translation>فرم</translation> </message> <message> <location line="+15"/> <source>A&amp;mount:</source> <translation>و میزان وجه</translation> </message> <message> <location line="+13"/> <source>Pay &amp;To:</source> <translation>پرداخت و به چه کسی</translation> </message> <message> <location line="+34"/> <source>The address to send the payment to (e.g. X6ENACNZSWAvxM96TiGp3Du9YhVmbhweMa)</source> <translation type="unfinished"/> </message> <message> <location line="+60"/> <location filename="../sendcoinsentry.cpp" line="+26"/> <source>Enter a label for this address to add it to your address book</source> <translation>یک برچسب برای این آدرس بنویسید تا به دفترچه آدرسهای شما اضافه شود</translation> </message> <message> <location line="-78"/> <source>&amp;Label:</source> <translation>و برچسب</translation> </message> <message> <location line="+28"/> <source>Choose address from address book</source> <translation>آدرس از فهرست آدرس انتخاب کنید</translation> </message> <message> <location line="+10"/> <source>Alt+A</source> <translation>Alt و A</translation> </message> <message> <location line="+7"/> <source>Paste address from clipboard</source> <translation>آدرس را بر کلیپ بورد کپی کنید</translation> </message> <message> <location line="+10"/> <source>Alt+P</source> <translation>Alt و P</translation> </message> <message> <location line="+7"/> <source>Remove this recipient</source> <translation>این گیرنده را حذف کن</translation> </message> <message> <location filename="../sendcoinsentry.cpp" line="+1"/> <source>Enter a callcoin address (e.g. X6ENACNZSWAvxM96TiGp3Du9YhVmbhweMa)</source> <translation>یک آدرس callcoin وارد کنید (مثال X6ENACNZSWAvxM96TiGp3Du9YhVmbhweMa)</translation> </message> </context> <context> <name>SignVerifyMessageDialog</name> <message> <location filename="../forms/signverifymessagedialog.ui" line="+14"/> <source>Signatures - Sign / Verify a Message</source> <translation type="unfinished"/> </message> <message> <location line="+13"/> <source>&amp;Sign Message</source> <translation>و امضای پیام </translation> </message> <message> <location line="+6"/> <source>You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to.</source> <translation type="unfinished"/> </message> <message> <location line="+18"/> <source>The address to sign the message with (e.g. X6ENACNZSWAvxM96TiGp3Du9YhVmbhweMa)</source> <translation>یک آدرس callcoin وارد کنید (مثال X6ENACNZSWAvxM96TiGp3Du9YhVmbhweMa)</translation> </message> <message> <location line="+10"/> <location line="+213"/> <source>Choose an address from the address book</source> <translation>آدرس از فهرست آدرس انتخاب کنید</translation> </message> <message> <location line="-203"/> <location line="+213"/> <source>Alt+A</source> <translation>Alt و A</translation> </message> <message> <location line="-203"/> <source>Paste address from clipboard</source> <translation>آدرس را بر کلیپ بورد کپی کنید</translation> </message> <message> <location line="+10"/> <source>Alt+P</source> <translation>Alt و P</translation> </message> <message> <location line="+12"/> <source>Enter the message you want to sign here</source> <translation type="unfinished"/> </message> <message> <location line="+7"/> <source>Signature</source> <translation type="unfinished"/> </message> <message> <location line="+27"/> <source>Copy the current signature to the system clipboard</source> <translation type="unfinished"/> </message> <message> <location line="+21"/> <source>Sign the message to prove you own this callcoin address</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Sign &amp;Message</source> <translation type="unfinished"/> </message> <message> <location line="+14"/> <source>Reset all sign message fields</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <location line="+146"/> <source>Clear &amp;All</source> <translation type="unfinished"/> </message> <message> <location line="-87"/> <source>&amp;Verify Message</source> <translation type="unfinished"/> </message> <message> <location line="+6"/> <source>Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack.</source> <translation type="unfinished"/> </message> <message> <location line="+21"/> <source>The address the message was signed with (e.g. X6ENACNZSWAvxM96TiGp3Du9YhVmbhweMa)</source> <translation>یک آدرس callcoin وارد کنید (مثال X6ENACNZSWAvxM96TiGp3Du9YhVmbhweMa)</translation> </message> <message> <location line="+40"/> <source>Verify the message to ensure it was signed with the specified callcoin address</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Verify &amp;Message</source> <translation type="unfinished"/> </message> <message> <location line="+14"/> <source>Reset all verify message fields</source> <translation type="unfinished"/> </message> <message> <location filename="../signverifymessagedialog.cpp" line="+27"/> <location line="+3"/> <source>Enter a callcoin address (e.g. X6ENACNZSWAvxM96TiGp3Du9YhVmbhweMa)</source> <translation>یک آدرس callcoin وارد کنید (مثال X6ENACNZSWAvxM96TiGp3Du9YhVmbhweMa)</translation> </message> <message> <location line="-2"/> <source>Click &quot;Sign Message&quot; to generate signature</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Enter callcoin signature</source> <translation type="unfinished"/> </message> <message> <location line="+82"/> <location line="+81"/> <source>The entered address is invalid.</source> <translation type="unfinished"/> </message> <message> <location line="-81"/> <location line="+8"/> <location line="+73"/> <location line="+8"/> <source>Please check the address and try again.</source> <translation type="unfinished"/> </message> <message> <location line="-81"/> <location line="+81"/> <source>The entered address does not refer to a key.</source> <translation type="unfinished"/> </message> <message> <location line="-73"/> <source>Wallet unlock was cancelled.</source> <translation type="unfinished"/> </message> <message> <location line="+8"/> <source>Private key for the entered address is not available.</source> <translation type="unfinished"/> </message> <message> <location line="+12"/> <source>Message signing failed.</source> <translation type="unfinished"/> </message> <message> <location line="+5"/> <source>Message signed.</source> <translation type="unfinished"/> </message> <message> <location line="+59"/> <source>The signature could not be decoded.</source> <translation type="unfinished"/> </message> <message> <location line="+0"/> <location line="+13"/> <source>Please check the signature and try again.</source> <translation type="unfinished"/> </message> <message> <location line="+0"/> <source>The signature did not match the message digest.</source> <translation type="unfinished"/> </message> <message> <location line="+7"/> <source>Message verification failed.</source> <translation type="unfinished"/> </message> <message> <location line="+5"/> <source>Message verified.</source> <translation type="unfinished"/> </message> </context> <context> <name>SplashScreen</name> <message> <location filename="../splashscreen.cpp" line="+25"/> <source>The callcoin developers</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>[testnet]</source> <translation>[testnet]</translation> </message> </context> <context> <name>TransactionDesc</name> <message> <location filename="../transactiondesc.cpp" line="+20"/> <source>Open until %1</source> <translation>باز کن تا %1</translation> </message> <message> <location line="+6"/> <source>%1/offline</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>%1/unconfirmed</source> <translation>%1 غیرقابل تایید</translation> </message> <message> <location line="+2"/> <source>%1 confirmations</source> <translation>%1 تاییدها</translation> </message> <message> <location line="+18"/> <source>Status</source> <translation type="unfinished"/> </message> <message numerus="yes"> <location line="+7"/> <source>, broadcast through %n node(s)</source> <translation type="unfinished"><numerusform></numerusform></translation> </message> <message> <location line="+4"/> <source>Date</source> <translation>تاریخ</translation> </message> <message> <location line="+7"/> <source>Source</source> <translation type="unfinished"/> </message> <message> <location line="+0"/> <source>Generated</source> <translation type="unfinished"/> </message> <message> <location line="+5"/> <location line="+17"/> <source>From</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <location line="+22"/> <location line="+58"/> <source>To</source> <translation type="unfinished"/> </message> <message> <location line="-77"/> <location line="+2"/> <source>own address</source> <translation type="unfinished"/> </message> <message> <location line="-2"/> <source>label</source> <translation>برچسب</translation> </message> <message> <location line="+37"/> <location line="+12"/> <location line="+45"/> <location line="+17"/> <location line="+30"/> <source>Credit</source> <translation type="unfinished"/> </message> <message numerus="yes"> <location line="-102"/> <source>matures in %n more block(s)</source> <translation type="unfinished"><numerusform></numerusform></translation> </message> <message> <location line="+2"/> <source>not accepted</source> <translation type="unfinished"/> </message> <message> <location line="+44"/> <location line="+8"/> <location line="+15"/> <location line="+30"/> <source>Debit</source> <translation type="unfinished"/> </message> <message> <location line="-39"/> <source>Transaction fee</source> <translation type="unfinished"/> </message> <message> <location line="+16"/> <source>Net amount</source> <translation type="unfinished"/> </message> <message> <location line="+6"/> <source>Message</source> <translation>پیام</translation> </message> <message> <location line="+2"/> <source>Comment</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Transaction ID</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Generated coins must mature 120 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to &quot;not accepted&quot; and it won&apos;t be spendable. This may occasionally happen if another node generates a block within a few seconds of yours.</source> <translation type="unfinished"/> </message> <message> <location line="+7"/> <source>Debug information</source> <translation type="unfinished"/> </message> <message> <location line="+8"/> <source>Transaction</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Inputs</source> <translation type="unfinished"/> </message> <message> <location line="+23"/> <source>Amount</source> <translation>میزان</translation> </message> <message> <location line="+1"/> <source>true</source> <translation type="unfinished"/> </message> <message> <location line="+0"/> <source>false</source> <translation type="unfinished"/> </message> <message> <location line="-209"/> <source>, has not been successfully broadcast yet</source> <translation>تا به حال با موفقیت انتشار نیافته است</translation> </message> <message numerus="yes"> <location line="-35"/> <source>Open for %n more block(s)</source> <translation type="unfinished"><numerusform></numerusform></translation> </message> <message> <location line="+70"/> <source>unknown</source> <translation>ناشناس</translation> </message> </context> <context> <name>TransactionDescDialog</name> <message> <location filename="../forms/transactiondescdialog.ui" line="+14"/> <source>Transaction details</source> <translation>جزئیات تراکنش</translation> </message> <message> <location line="+6"/> <source>This pane shows a detailed description of the transaction</source> <translation>این بخش جزئیات تراکنش را نشان می دهد</translation> </message> </context> <context> <name>TransactionTableModel</name> <message> <location filename="../transactiontablemodel.cpp" line="+225"/> <source>Date</source> <translation>تاریخ</translation> </message> <message> <location line="+0"/> <source>Type</source> <translation>نوع</translation> </message> <message> <location line="+0"/> <source>Address</source> <translation>آدرس</translation> </message> <message> <location line="+0"/> <source>Amount</source> <translation>میزان وجه</translation> </message> <message numerus="yes"> <location line="+57"/> <source>Open for %n more block(s)</source> <translation type="unfinished"><numerusform></numerusform></translation> </message> <message> <location line="+3"/> <source>Open until %1</source> <translation>باز کن تا %1</translation> </message> <message> <location line="+3"/> <source>Offline (%1 confirmations)</source> <translation>برون خطی (%1 تاییدها)</translation> </message> <message> <location line="+3"/> <source>Unconfirmed (%1 of %2 confirmations)</source> <translation>تایید نشده (%1 از %2 تاییدها)</translation> </message> <message> <location line="+3"/> <source>Confirmed (%1 confirmations)</source> <translation>تایید شده (%1 تاییدها)</translation> </message> <message numerus="yes"> <location line="+8"/> <source>Mined balance will be available when it matures in %n more block(s)</source> <translation type="unfinished"><numerusform></numerusform></translation> </message> <message> <location line="+5"/> <source>This block was not received by any other nodes and will probably not be accepted!</source> <translation>این block توسط گره های دیگری دریافت نشده است و ممکن است قبول نشود</translation> </message> <message> <location line="+3"/> <source>Generated but not accepted</source> <translation>تولید شده اما قبول نشده است</translation> </message> <message> <location line="+43"/> <source>Received with</source> <translation>قبول با </translation> </message> <message> <location line="+2"/> <source>Received from</source> <translation>دریافت شده از</translation> </message> <message> <location line="+3"/> <source>Sent to</source> <translation>ارسال به</translation> </message> <message> <location line="+2"/> <source>Payment to yourself</source> <translation>وجه برای شما </translation> </message> <message> <location line="+2"/> <source>Mined</source> <translation>استخراج شده</translation> </message> <message> <location line="+38"/> <source>(n/a)</source> <translation>خالی</translation> </message> <message> <location line="+199"/> <source>Transaction status. Hover over this field to show number of confirmations.</source> <translation>وضعیت تراکنش. با اشاره به این بخش تعداد تاییدها نمایش داده می شود</translation> </message> <message> <location line="+2"/> <source>Date and time that the transaction was received.</source> <translation>زمان و تاریخی که تراکنش دریافت شده است</translation> </message> <message> <location line="+2"/> <source>Type of transaction.</source> <translation>نوع تراکنش</translation> </message> <message> <location line="+2"/> <source>Destination address of transaction.</source> <translation>آدرس مقصد در تراکنش</translation> </message> <message> <location line="+2"/> <source>Amount removed from or added to balance.</source> <translation>میزان وجه کم شده یا اضافه شده به حساب</translation> </message> </context> <context> <name>TransactionView</name> <message> <location filename="../transactionview.cpp" line="+52"/> <location line="+16"/> <source>All</source> <translation>همه</translation> </message> <message> <location line="-15"/> <source>Today</source> <translation>امروز</translation> </message> <message> <location line="+1"/> <source>This week</source> <translation>این هفته</translation> </message> <message> <location line="+1"/> <source>This month</source> <translation>این ماه</translation> </message> <message> <location line="+1"/> <source>Last month</source> <translation>ماه گذشته</translation> </message> <message> <location line="+1"/> <source>This year</source> <translation>این سال</translation> </message> <message> <location line="+1"/> <source>Range...</source> <translation>حدود..</translation> </message> <message> <location line="+11"/> <source>Received with</source> <translation>دریافت با</translation> </message> <message> <location line="+2"/> <source>Sent to</source> <translation>ارسال به</translation> </message> <message> <location line="+2"/> <source>To yourself</source> <translation>به شما</translation> </message> <message> <location line="+1"/> <source>Mined</source> <translation>استخراج شده</translation> </message> <message> <location line="+1"/> <source>Other</source> <translation>دیگر</translation> </message> <message> <location line="+7"/> <source>Enter address or label to search</source> <translation>آدرس یا برچسب را برای جستجو وارد کنید</translation> </message> <message> <location line="+7"/> <source>Min amount</source> <translation>حداقل میزان وجه</translation> </message> <message> <location line="+34"/> <source>Copy address</source> <translation>آدرس را کپی کنید</translation> </message> <message> <location line="+1"/> <source>Copy label</source> <translation>برچسب را کپی کنید</translation> </message> <message> <location line="+1"/> <source>Copy amount</source> <translation>میزان وجه کپی شود</translation> </message> <message> <location line="+1"/> <source>Copy transaction ID</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Edit label</source> <translation>برچسب را ویرایش کنید</translation> </message> <message> <location line="+1"/> <source>Show transaction details</source> <translation type="unfinished"/> </message> <message> <location line="+139"/> <source>Export Transaction Data</source> <translation>داده های تراکنش را صادر کنید</translation> </message> <message> <location line="+1"/> <source>Comma separated file (*.csv)</source> <translation>Comma separated file (*.csv) فایل جداگانه دستوری</translation> </message> <message> <location line="+8"/> <source>Confirmed</source> <translation>تایید شده</translation> </message> <message> <location line="+1"/> <source>Date</source> <translation>تاریخ</translation> </message> <message> <location line="+1"/> <source>Type</source> <translation>نوع</translation> </message> <message> <location line="+1"/> <source>Label</source> <translation>برچسب</translation> </message> <message> <location line="+1"/> <source>Address</source> <translation>آدرس</translation> </message> <message> <location line="+1"/> <source>Amount</source> <translation>میزان</translation> </message> <message> <location line="+1"/> <source>ID</source> <translation>شناسه کاربری</translation> </message> <message> <location line="+4"/> <source>Error exporting</source> <translation>خطا در ارسال</translation> </message> <message> <location line="+0"/> <source>Could not write to file %1.</source> <translation>قابل کپی به فایل نیست %1.</translation> </message> <message> <location line="+100"/> <source>Range:</source> <translation>دامنه:</translation> </message> <message> <location line="+8"/> <source>to</source> <translation>به</translation> </message> </context> <context> <name>WalletModel</name> <message> <location filename="../walletmodel.cpp" line="+193"/> <source>Send Coins</source> <translation>سکه های ارسالی</translation> </message> </context> <context> <name>WalletView</name> <message> <location filename="../walletview.cpp" line="+42"/> <source>&amp;Export</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Export the data in the current tab to a file</source> <translation>صدور داده نوار جاری به یک فایل</translation> </message> <message> <location line="+193"/> <source>Backup Wallet</source> <translation type="unfinished"/> </message> <message> <location line="+0"/> <source>Wallet Data (*.dat)</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Backup Failed</source> <translation type="unfinished"/> </message> <message> <location line="+0"/> <source>There was an error trying to save the wallet data to the new location.</source> <translation type="unfinished"/> </message> <message> <location line="+4"/> <source>Backup Successful</source> <translation type="unfinished"/> </message> <message> <location line="+0"/> <source>The wallet data was successfully saved to the new location.</source> <translation type="unfinished"/> </message> </context> <context> <name>bitcoin-core</name> <message> <location filename="../bitcoinstrings.cpp" line="+94"/> <source>callcoin version</source> <translation>نسخه callcoin</translation> </message> <message> <location line="+102"/> <source>Usage:</source> <translation>میزان استفاده:</translation> </message> <message> <location line="-29"/> <source>Send command to -server or callcoind</source> <translation>ارسال دستور به سرور یا callcoined</translation> </message> <message> <location line="-23"/> <source>List commands</source> <translation>فهرست دستورها</translation> </message> <message> <location line="-12"/> <source>Get help for a command</source> <translation>درخواست کمک برای یک دستور</translation> </message> <message> <location line="+24"/> <source>Options:</source> <translation>انتخابها:</translation> </message> <message> <location line="+24"/> <source>Specify configuration file (default: callcoin.conf)</source> <translation>فایل پیکربندیِ را مشخص کنید (پیش فرض: callcoin.conf)</translation> </message> <message> <location line="+3"/> <source>Specify pid file (default: callcoind.pid)</source> <translation>فایل pid را مشخص کنید (پیش فرض: callcoind.pid)</translation> </message> <message> <location line="-1"/> <source>Specify data directory</source> <translation>دایرکتوری داده را مشخص کن</translation> </message> <message> <location line="-9"/> <source>Set database cache size in megabytes (default: 25)</source> <translation>حافظه بانک داده را به مگابایت تنظیم کنید (پیش فرض: 25)</translation> </message> <message> <location line="-28"/> <source>Listen for connections on &lt;port&gt; (default: 8333 or testnet: 18333)</source> <translation>ارتباطات را در &lt;PORT&gt; بشنوید (پیش فرض: 8333 or testnet: 18333)</translation> </message> <message> <location line="+5"/> <source>Maintain at most &lt;n&gt; connections to peers (default: 125)</source> <translation>نگهداری &lt;N&gt; ارتباطات برای قرینه سازی (پیش فرض:125)</translation> </message> <message> <location line="-48"/> <source>Connect to a node to retrieve peer addresses, and disconnect</source> <translation type="unfinished"/> </message> <message> <location line="+82"/> <source>Specify your own public address</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Threshold for disconnecting misbehaving peers (default: 100)</source> <translation>آستانه قطع برای قرینه سازی اشتباه (پیش فرض:100)</translation> </message> <message> <location line="-134"/> <source>Number of seconds to keep misbehaving peers from reconnecting (default: 86400)</source> <translation>تعداد ثانیه ها برای اتصال دوباره قرینه های اشتباه (پیش فرض:86400)</translation> </message> <message> <location line="-29"/> <source>An error occurred while setting up the RPC port %u for listening on IPv4: %s</source> <translation type="unfinished"/> </message> <message> <location line="+27"/> <source>Listen for JSON-RPC connections on &lt;port&gt; (default: 8332 or testnet: 18332)</source> <translation>ارتباطاتِ JSON-RPC را در &lt;port&gt; گوش کنید (پیش فرض:8332)</translation> </message> <message> <location line="+37"/> <source>Accept command line and JSON-RPC commands</source> <translation>command line و JSON-RPC commands را قبول کنید</translation> </message> <message> <location line="+76"/> <source>Run in the background as a daemon and accept commands</source> <translation>به عنوان daemon بک گراند را اجرا کنید و دستورات را قبول نمایید</translation> </message> <message> <location line="+37"/> <source>Use the test network</source> <translation>از تستِ شبکه استفاده نمایید</translation> </message> <message> <location line="-112"/> <source>Accept connections from outside (default: 1 if no -proxy or -connect)</source> <translation type="unfinished"/> </message> <message> <location line="-80"/> <source>%s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: rpcuser=callcoinrpc rpcpassword=%s (you do not need to remember this password) The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; for example: alertnotify=echo %%s | mail -s &quot;callcoin Alert&quot; admin@foo.com </source> <translation type="unfinished"/> </message> <message> <location line="+17"/> <source>An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Bind to given address and always listen on it. Use [host]:port notation for IPv6</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Cannot obtain a lock on data directory %s. callcoin is probably already running.</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here.</source> <translation type="unfinished"/> </message> <message> <location line="+4"/> <source>Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds!</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Execute command when a relevant alert is received (%s in cmd is replaced by message)</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Execute command when a wallet transaction changes (%s in cmd is replaced by TxID)</source> <translation type="unfinished"/> </message> <message> <location line="+11"/> <source>Set maximum size of high-priority/low-fee transactions in bytes (default: 27000)</source> <translation type="unfinished"/> </message> <message> <location line="+6"/> <source>This is a pre-release test build - use at your own risk - do not use for mining or merchant applications</source> <translation type="unfinished"/> </message> <message> <location line="+5"/> <source>Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction.</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Warning: Displayed transactions may not be correct! You may need to upgrade, or other nodes may need to upgrade.</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Warning: Please check that your computer&apos;s date and time are correct! If your clock is wrong callcoin will not work properly.</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect.</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup.</source> <translation type="unfinished"/> </message> <message> <location line="+14"/> <source>Attempt to recover private keys from a corrupt wallet.dat</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Block creation options:</source> <translation type="unfinished"/> </message> <message> <location line="+5"/> <source>Connect only to the specified node(s)</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Corrupted block database detected</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Discover own IP address (default: 1 when listening and no -externalip)</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Do you want to rebuild the block database now?</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Error initializing block database</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Error initializing wallet database environment %s!</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Error loading block database</source> <translation type="unfinished"/> </message> <message> <location line="+4"/> <source>Error opening block database</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Error: Disk space is low!</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Error: Wallet locked, unable to create transaction!</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Error: system error: </source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Failed to listen on any port. Use -listen=0 if you want this.</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Failed to read block info</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Failed to read block</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Failed to sync block index</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Failed to write block index</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Failed to write block info</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Failed to write block</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Failed to write file info</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Failed to write to coin database</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Failed to write transaction index</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Failed to write undo data</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Find peers using DNS lookup (default: 1 unless -connect)</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Generate coins (default: 0)</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>How many blocks to check at startup (default: 288, 0 = all)</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>How thorough the block verification is (0-4, default: 3)</source> <translation type="unfinished"/> </message> <message> <location line="+19"/> <source>Not enough file descriptors available.</source> <translation type="unfinished"/> </message> <message> <location line="+8"/> <source>Rebuild block chain index from current blk000??.dat files</source> <translation type="unfinished"/> </message> <message> <location line="+16"/> <source>Set the number of threads to service RPC calls (default: 4)</source> <translation type="unfinished"/> </message> <message> <location line="+26"/> <source>Verifying blocks...</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Verifying wallet...</source> <translation type="unfinished"/> </message> <message> <location line="-69"/> <source>Imports blocks from external blk000??.dat file</source> <translation type="unfinished"/> </message> <message> <location line="-76"/> <source>Set the number of script verification threads (up to 16, 0 = auto, &lt;0 = leave that many cores free, default: 0)</source> <translation type="unfinished"/> </message> <message> <location line="+77"/> <source>Information</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Invalid -tor address: &apos;%s&apos;</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Invalid amount for -minrelaytxfee=&lt;amount&gt;: &apos;%s&apos;</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Invalid amount for -mintxfee=&lt;amount&gt;: &apos;%s&apos;</source> <translation type="unfinished"/> </message> <message> <location line="+8"/> <source>Maintain a full transaction index (default: 0)</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Maximum per-connection receive buffer, &lt;n&gt;*1000 bytes (default: 5000)</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Maximum per-connection send buffer, &lt;n&gt;*1000 bytes (default: 1000)</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Only accept block chain matching built-in checkpoints (default: 1)</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Only connect to nodes in network &lt;net&gt; (IPv4, IPv6 or Tor)</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Output extra debugging information. Implies all other -debug* options</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Output extra network debugging information</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Prepend debug output with timestamp</source> <translation>برونداد اشکال زدایی با timestamp</translation> </message> <message> <location line="+5"/> <source>SSL options: (see the callcoin Wiki for SSL setup instructions)</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Select the version of socks proxy to use (4-5, default: 5)</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Send trace/debug info to console instead of debug.log file</source> <translation>ارسال اطلاعات پیگیری/خطایابی به کنسول به جای ارسال به فایل debug.log</translation> </message> <message> <location line="+1"/> <source>Send trace/debug info to debugger</source> <translation>ارسال اطاعات خطایابی/پیگیری به سیستم خطایاب</translation> </message> <message> <location line="+5"/> <source>Set maximum block size in bytes (default: 250000)</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Set minimum block size in bytes (default: 0)</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Shrink debug.log file on client startup (default: 1 when no -debug)</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Signing transaction failed</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Specify connection timeout in milliseconds (default: 5000)</source> <translation>تعیین مدت زمان وقفه (time out) به هزارم ثانیه</translation> </message> <message> <location line="+4"/> <source>System error: </source> <translation type="unfinished"/> </message> <message> <location line="+4"/> <source>Transaction amount too small</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Transaction amounts must be positive</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Transaction too large</source> <translation type="unfinished"/> </message> <message> <location line="+7"/> <source>Use UPnP to map the listening port (default: 0)</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Use UPnP to map the listening port (default: 1 when listening)</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Use proxy to reach tor hidden services (default: same as -proxy)</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Username for JSON-RPC connections</source> <translation>شناسه کاربری برای ارتباطاتِ JSON-RPC</translation> </message> <message> <location line="+4"/> <source>Warning</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Warning: This version is obsolete, upgrade required!</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>You need to rebuild the databases using -reindex to change -txindex</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>wallet.dat corrupt, salvage failed</source> <translation type="unfinished"/> </message> <message> <location line="-50"/> <source>Password for JSON-RPC connections</source> <translation>رمز برای ارتباطاتِ JSON-RPC</translation> </message> <message> <location line="-67"/> <source>Allow JSON-RPC connections from specified IP address</source> <translation>ارتباطاتِ JSON-RPC را از آدرس آی.پی. مشخصی برقرار کنید.</translation> </message> <message> <location line="+76"/> <source>Send commands to node running on &lt;ip&gt; (default: 127.0.0.1)</source> <translation>دستورات را به گره اجرا شده در&lt;ip&gt; ارسال کنید (پیش فرض:127.0.0.1)</translation> </message> <message> <location line="-120"/> <source>Execute command when the best block changes (%s in cmd is replaced by block hash)</source> <translation>دستور را وقتی بهترین بلاک تغییر کرد اجرا کن (%s در دستور توسط block hash جایگزین شده است)</translation> </message> <message> <location line="+147"/> <source>Upgrade wallet to latest format</source> <translation>wallet را به جدیدترین نسخه روزآمد کنید</translation> </message> <message> <location line="-21"/> <source>Set key pool size to &lt;n&gt; (default: 100)</source> <translation>حجم key pool را به اندازه &lt;n&gt; تنظیم کنید (پیش فرض:100)</translation> </message> <message> <location line="-12"/> <source>Rescan the block chain for missing wallet transactions</source> <translation>زنجیره بلاک را برای تراکنش جا افتاده در WALLET دوباره اسکن کنید</translation> </message> <message> <location line="+35"/> <source>Use OpenSSL (https) for JSON-RPC connections</source> <translation>برای ارتباطاتِ JSON-RPC از OpenSSL (https) استفاده کنید</translation> </message> <message> <location line="-26"/> <source>Server certificate file (default: server.cert)</source> <translation>فایل certificate سرور (پیش فرض server.cert)</translation> </message> <message> <location line="+1"/> <source>Server private key (default: server.pem)</source> <translation>رمز اختصاصی سرور (پیش فرض: server.pem)</translation> </message> <message> <location line="-151"/> <source>Acceptable ciphers (default: TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!AH:!3DES:@STRENGTH)</source> <translation>ciphers قابل قبول (پیش فرض: default: TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!AH:!3DES:@STRENGTH)</translation> </message> <message> <location line="+165"/> <source>This help message</source> <translation>این پیام راهنما</translation> </message> <message> <location line="+6"/> <source>Unable to bind to %s on this computer (bind returned error %d, %s)</source> <translation type="unfinished"/> </message> <message> <location line="-91"/> <source>Connect through socks proxy</source> <translation type="unfinished"/> </message> <message> <location line="-10"/> <source>Allow DNS lookups for -addnode, -seednode and -connect</source> <translation type="unfinished"/> </message> <message> <location line="+55"/> <source>Loading addresses...</source> <translation>لود شدن آدرسها..</translation> </message> <message> <location line="-35"/> <source>Error loading wallet.dat: Wallet corrupted</source> <translation>خطا در هنگام لود شدن wallet.dat: Wallet corrupted</translation> </message> <message> <location line="+1"/> <source>Error loading wallet.dat: Wallet requires newer version of callcoin</source> <translation>خطا در هنگام لود شدن wallet.dat. به نسخه جدید callcoin برای wallet نیاز است.</translation> </message> <message> <location line="+93"/> <source>Wallet needed to be rewritten: restart callcoin to complete</source> <translation>wallet نیاز به بازنویسی دارد. callcoin را برای تکمیل عملیات دوباره اجرا کنید.</translation> </message> <message> <location line="-95"/> <source>Error loading wallet.dat</source> <translation>خطا در هنگام لود شدن wallet.dat</translation> </message> <message> <location line="+28"/> <source>Invalid -proxy address: &apos;%s&apos;</source> <translation type="unfinished"/> </message> <message> <location line="+56"/> <source>Unknown network specified in -onlynet: &apos;%s&apos;</source> <translation type="unfinished"/> </message> <message> <location line="-1"/> <source>Unknown -socks proxy version requested: %i</source> <translation type="unfinished"/> </message> <message> <location line="-96"/> <source>Cannot resolve -bind address: &apos;%s&apos;</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Cannot resolve -externalip address: &apos;%s&apos;</source> <translation type="unfinished"/> </message> <message> <location line="+44"/> <source>Invalid amount for -paytxfee=&lt;amount&gt;: &apos;%s&apos;</source> <translation>میزان اشتباه است for -paytxfee=&lt;amount&gt;: &apos;%s&apos;</translation> </message> <message> <location line="+1"/> <source>Invalid amount</source> <translation>میزان اشتباه است</translation> </message> <message> <location line="-6"/> <source>Insufficient funds</source> <translation>وجوه ناکافی</translation> </message> <message> <location line="+10"/> <source>Loading block index...</source> <translation>لود شدن نمایه بلاکها..</translation> </message> <message> <location line="-57"/> <source>Add a node to connect to and attempt to keep the connection open</source> <translation>یک گره برای اتصال اضافه کنید و تلاش کنید تا اتصال را باز نگاه دارید</translation> </message> <message> <location line="-25"/> <source>Unable to bind to %s on this computer. callcoin is probably already running.</source> <translation type="unfinished"/> </message> <message> <location line="+64"/> <source>Fee per KB to add to transactions you send</source> <translation>هزینه بر اساس کیلو بایت برای اضافه شدن به تراکنشی که ارسال کرده اید</translation> </message> <message> <location line="+19"/> <source>Loading wallet...</source> <translation>wallet در حال لود شدن است...</translation> </message> <message> <location line="-52"/> <source>Cannot downgrade wallet</source> <translation>قابلیت برگشت به نسخه قبلی برای wallet امکان پذیر نیست</translation> </message> <message> <location line="+3"/> <source>Cannot write default address</source> <translation>آدرس پیش فرض قابل ذخیره نیست</translation> </message> <message> <location line="+64"/> <source>Rescanning...</source> <translation>اسکنِ دوباره...</translation> </message> <message> <location line="-57"/> <source>Done loading</source> <translation>اتمام لود شدن</translation> </message> <message> <location line="+82"/> <source>To use the %s option</source> <translation>برای استفاده از %s از اختیارات</translation> </message> <message> <location line="-74"/> <source>Error</source> <translation>خطا</translation> </message> <message> <location line="-31"/> <source>You must set rpcpassword=&lt;password&gt; in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions.</source> <translation>شما باید یک رمز rpcpassword=&lt;password&gt; را در فایل تنظیمات ایجاد کنید⏎ %s ⏎ اگر فایل ایجاد نشده است، آن را با یک فایل &quot;فقط متنی&quot; ایجاد کنید. </translation> </message> </context> </TS>
callcoin/callcoin
src/qt/locale/bitcoin_fa_IR.ts
TypeScript
mit
107,444
import { Component } from '@angular/core'; import { ContactService } from './contact.service'; @Component({ selector: 'app-root', templateUrl: './app.component.html', styleUrls: ['./app.component.css'] }) export class AppComponent { title = 'Simple Contacts Application'; constructor(private contactService:ContactService){ } }
csrahulram/contacts
ng/src/app/app.component.ts
TypeScript
mit
342
<?php use Phinx\Migration\AbstractMigration; class CreateCinemaTables extends AbstractMigration { public function change() { $movies = $this->table("movies", ['id' => true, 'primary_key' => 'id']); $movies->addColumn('kinopoisk_id', 'integer') ->addColumn('name', 'string') ->addColumn('poster', 'string') ->addColumn('data', 'text') ->addIndex(['kinopoisk_id']) ->save(); $sessions = $this->table("sessions", ['id' => true, 'primary_key' => 'id']); $sessions->addColumn('movie_id', 'integer') ->addColumn('time', 'datetime') ->addIndex(['movie_id']) ->save(); } }
kachkanar/website
db/migrations/20171019235147_create_cinema_tables.php
PHP
mit
735
import { delay } from "../delay" import { getOneTrustConsent } from "../getOneTrustConsent" import { oneTrustReady } from "../oneTrustReady" jest.mock("../delay") jest.mock("../oneTrustReady") describe("getOneTrustConsent", () => { const delayMock = delay as jest.Mock const oneTrustReadyMock = oneTrustReady as jest.Mock beforeEach(() => { delayMock.mockImplementation(() => Promise.resolve()) }) afterEach(() => { delayMock.mockRestore() oneTrustReadyMock.mockRestore() }) it("returns empty string if onetrust is never ready", async () => { oneTrustReadyMock.mockImplementation(() => { return false }) const result = await getOneTrustConsent() expect(delayMock).toHaveBeenCalledWith(10) expect(delayMock).toHaveBeenCalledTimes(101) expect(oneTrustReadyMock).toHaveBeenCalledWith() expect(oneTrustReadyMock).toHaveBeenCalledTimes(103) expect(result).toBe("") }) it("returns onetrust consent string if onetrust is ready", async () => { oneTrustReadyMock.mockImplementation(() => { return true }) window.OnetrustActiveGroups = "C0001" const result = await getOneTrustConsent() expect(delayMock).not.toHaveBeenCalled() expect(oneTrustReadyMock).toHaveBeenCalledWith() expect(result).toBe("C0001") }) })
artsy/force
src/lib/analytics/segmentOneTrustIntegration/__tests__/getOneTrustConsent.jest.ts
TypeScript
mit
1,310
'use strict' const { describe, it, beforeEach, afterEach } = require('mocha') const Helper = require('hubot-test-helper') const { expect } = require('chai') const mock = require('mock-require') const http = require('http') const sleep = m => new Promise(resolve => setTimeout(() => resolve(), m)) const request = uri => { return new Promise((resolve, reject) => { http .get(uri, res => { const result = { statusCode: res.statusCode } if (res.statusCode !== 200) { resolve(result) } else { res.setEncoding('utf8') let rawData = '' res.on('data', chunk => { rawData += chunk }) res.on('end', () => { result.body = rawData resolve(result) }) } }) .on('error', err => reject(err)) }) } const infoRutStub = { getPersonByRut (rut) { return new Promise((resolve, reject) => { if (rut === '11111111-1') { return resolve({ name: 'Anonymous', rut }) } else if (rut === '77777777-7') { return resolve({ name: 'Sushi', rut }) } else if (rut === '22222222-2') { return resolve(null) } reject(new Error('Not found')) }) }, getEnterpriseByRut (rut) { return new Promise((resolve, reject) => { if (rut === '11111111-1') { return resolve({ name: 'Anonymous', rut }) } else if (rut === '77777777-7') { return resolve({ name: 'Sushi', rut }) } else if (rut === '22222222-2') { return resolve(null) } reject(new Error('Not found')) }) }, getPersonByName (name) { return new Promise((resolve, reject) => { if (name === 'juan perez perez') { return resolve([ { rut: '11.111.111-1', name: 'Anonymous' }, { rut: '11.111.111-1', name: 'Anonymous' }, { rut: '11.111.111-1', name: 'Anonymous' }, { rut: '11.111.111-1', name: 'Anonymous' }, { rut: '11.111.111-1', name: 'Anonymous' }, { rut: '11.111.111-1', name: 'Anonymous' } ]) } else if (name === 'soto') { return resolve([ { rut: '11.111.111-1', name: 'Anonymous' }, { rut: '11.111.111-1', name: 'Anonymous' }, { rut: '11.111.111-1', name: 'Anonymous' }, { rut: '11.111.111-1', name: 'Anonymous' }, { rut: '11.111.111-1', name: 'Anonymous' } ]) } else if (name === 'info-rut') { return resolve([]) } reject(new Error('Not found')) }) }, getEnterpriseByName (name) { return new Promise((resolve, reject) => { if (name === 'perez') { return resolve([{ rut: '11.111.111-1', name: 'Anonymous' }]) } else if (name === 'info-rut') { return resolve([]) } reject(new Error('Not found')) }) } } mock('info-rut', infoRutStub) const helper = new Helper('./../src/index.js') describe('info rut', function () { beforeEach(() => { this.room = helper.createRoom() }) afterEach(() => this.room.destroy()) describe('person rut valid', () => { const rut = '11111111-1' beforeEach(async () => { this.room.user.say('user', `hubot info-rut rut ${rut}`) await sleep(1000) }) it('should return a full name', () => { expect(this.room.messages).to.eql([ ['user', `hubot info-rut rut ${rut}`], ['hubot', `Anonymous (${rut})`] ]) }) }) describe('enterprise rut valid', () => { const rut = '77777777-7' beforeEach(async () => { this.room.user.say('user', `hubot info-rut rut ${rut}`) await sleep(1000) }) it('should return a full name', () => { expect(this.room.messages).to.eql([ ['user', `hubot info-rut rut ${rut}`], ['hubot', `Sushi (${rut})`] ]) }) }) describe('rut invalid', () => { const rut = '22222222-2' beforeEach(async () => { this.room.user.say('user', `hubot info-rut rut ${rut}`) await sleep(1000) }) it('should return a error', () => { expect(this.room.messages).to.eql([ ['user', `hubot info-rut rut ${rut}`], ['hubot', '@user rut sin resultados'] ]) }) }) describe('rut error', () => { const rut = '1' beforeEach(async () => { this.room.user.say('user', `hubot info-rut rut ${rut}`) await sleep(1000) }) it('should return a error', () => { expect(this.room.messages).to.eql([ ['user', `hubot info-rut rut ${rut}`], ['hubot', '@user ocurrio un error al consultar el rut'] ]) }) }) describe('name valid', () => { const name = 'juan perez perez' beforeEach(async () => { this.room.user.say('user', `hubot info-rut persona ${name}`) await sleep(1000) }) it('should return a array of results with link', () => { expect(this.room.messages).to.eql([ ['user', `hubot info-rut persona ${name}`], [ 'hubot', 'Anonymous (11.111.111-1)\n' + 'Anonymous (11.111.111-1)\n' + 'Anonymous (11.111.111-1)\n' + 'Anonymous (11.111.111-1)\n' + 'Anonymous (11.111.111-1)\n' + 'Más resultados en ' + 'http://localhost:8080/info-rut?name=juan%20perez%20perez&' + 'type=persona' ] ]) }) }) describe('name valid', () => { const name = 'soto' beforeEach(async () => { this.room.user.say('user', `hubot info-rut persona ${name}`) await sleep(500) }) it('should return a array of results', () => { expect(this.room.messages).to.eql([ ['user', `hubot info-rut persona ${name}`], [ 'hubot', 'Anonymous (11.111.111-1)\n' + 'Anonymous (11.111.111-1)\n' + 'Anonymous (11.111.111-1)\n' + 'Anonymous (11.111.111-1)\n' + 'Anonymous (11.111.111-1)' ] ]) }) }) describe('name without results', () => { const name = 'info-rut' beforeEach(async () => { this.room.user.say('user', `hubot info-rut empresa ${name}`) await sleep(500) }) it('should return a empty results', () => { expect(this.room.messages).to.eql([ ['user', `hubot info-rut empresa ${name}`], ['hubot', `@user no hay resultados para ${name}`] ]) }) }) describe('name invalid', () => { const name = 'asdf' beforeEach(async () => { this.room.user.say('user', `hubot info-rut persona ${name}`) await sleep(500) }) it('should return a empty results', () => { expect(this.room.messages).to.eql([ ['user', `hubot info-rut persona ${name}`], ['hubot', '@user ocurrio un error al consultar el nombre'] ]) }) }) describe('GET /info-rut?name=perez&type=persona', () => { beforeEach(async () => { this.response = await request( 'http://localhost:8080/info-rut?name=juan%20perez%20perez&type=persona' ) }) it('responds with status 200 and results', () => { expect(this.response.statusCode).to.equal(200) expect(this.response.body).to.equal( 'Anonymous (11.111.111-1)<br/>' + 'Anonymous (11.111.111-1)<br/>' + 'Anonymous (11.111.111-1)<br/>' + 'Anonymous (11.111.111-1)<br/>' + 'Anonymous (11.111.111-1)<br/>' + 'Anonymous (11.111.111-1)' ) }) }) describe('GET /info-rut?name=perez&type=empresa', () => { beforeEach(async () => { this.response = await request( 'http://localhost:8080/info-rut?name=perez&type=empresa' ) }) it('responds with status 200 and results', () => { expect(this.response.statusCode).to.equal(200) expect(this.response.body).to.equal('Anonymous (11.111.111-1)') }) }) describe('GET /info-rut?name=info-rut&type=persona', () => { beforeEach(async () => { this.response = await request( 'http://localhost:8080/info-rut?name=info-rut&type=persona' ) }) it('responds with status 200 and not results', () => { expect(this.response.statusCode).to.equal(200) expect(this.response.body).to.equal('no hay resultados para info-rut') }) }) describe('GET /info-rut', () => { beforeEach(async () => { this.response = await request('http://localhost:8080/info-rut') }) it('responds with status 200 and not results', () => { expect(this.response.statusCode).to.equal(200) expect(this.response.body).to.equal('faltan los parametros type y name') }) }) describe('GET /info-rut?name=asdf&type=persona', () => { beforeEach(async () => { this.response = await request( 'http://localhost:8080/info-rut?name=asdf&type=persona' ) }) it('responds with status 200 and not results', () => { expect(this.response.statusCode).to.equal(200) expect(this.response.body).to.equal( 'Ocurrio un error al consultar el nombre' ) }) }) })
lgaticaq/hubot-info-rut
test/test.js
JavaScript
mit
9,067
module Modernizr module Rails class Engine < ::Rails::Engine end end end
tsechingho/modernizr-rails
lib/modernizr-rails/engine.rb
Ruby
mit
85
using System.Collections; using System.Collections.Generic; using UnityEngine; namespace Fungus { // <summary> /// Add force to a Rigidbody2D /// </summary> [CommandInfo("Rigidbody2D", "AddForce2D", "Add force to a Rigidbody2D")] [AddComponentMenu("")] public class AddForce2D : Command { [SerializeField] protected Rigidbody2DData rb; [SerializeField] protected ForceMode2D forceMode = ForceMode2D.Force; public enum ForceFunction { AddForce, AddForceAtPosition, AddRelativeForce } [SerializeField] protected ForceFunction forceFunction = ForceFunction.AddForce; [Tooltip("Vector of force to be added")] [SerializeField] protected Vector2Data force; [Tooltip("Scale factor to be applied to force as it is used.")] [SerializeField] protected FloatData forceScaleFactor = new FloatData(1); [Tooltip("World position the force is being applied from. Used only in AddForceAtPosition")] [SerializeField] protected Vector2Data atPosition; public override void OnEnter() { switch (forceFunction) { case ForceFunction.AddForce: rb.Value.AddForce(force.Value * forceScaleFactor.Value, forceMode); break; case ForceFunction.AddForceAtPosition: rb.Value.AddForceAtPosition(force.Value * forceScaleFactor.Value, atPosition.Value, forceMode); break; case ForceFunction.AddRelativeForce: rb.Value.AddRelativeForce(force.Value * forceScaleFactor.Value, forceMode); break; default: break; } Continue(); } public override string GetSummary() { return forceMode.ToString() + ": " + force.ToString(); } public override Color GetButtonColor() { return new Color32(235, 191, 217, 255); } public override bool HasReference(Variable variable) { if (rb.rigidbody2DRef == variable || force.vector2Ref == variable || forceScaleFactor.floatRef == variable || atPosition.vector2Ref == variable) return true; return false; } } }
FungusGames/Fungus
Assets/Fungus/Scripts/Commands/Rigidbody2D/AddForce2D.cs
C#
mit
2,491
// package metadata file for Meteor.js Package.describe({ name: 'startup-cafe', "author": "Dragos Mateescu <dmateescu@tremend.ro>", "licenses": [ { "type": "MIT", "url": "http://opensource.org/licenses/MIT" } ], "scripts": { }, "engines": { "node": ">= 0.10.0" }, "devDependencies": { "grunt": "~0.4.5", "grunt-autoprefixer": "~0.8.1", "grunt-contrib-concat": "~0.4.0", "grunt-contrib-jshint": "~0.10.0", "grunt-contrib-less": "~0.11.3", "grunt-contrib-uglify": "~0.5.0", "grunt-contrib-watch": "~0.6.1", "grunt-contrib-clean": "~ v0.6.0", "grunt-modernizr": "~0.5.2", "grunt-stripmq": "0.0.6", "grunt-wp-assets": "~0.2.6", "load-grunt-tasks": "~0.6.0", "time-grunt": "~0.3.2", "grunt-bless": "^0.1.1" } }); Package.onUse(function (api) { api.versionsFrom('METEOR@1.0'); api.use('jquery', 'client'); api.addFiles([ 'dist/fonts/glyphicons-halflings-regular.eot', 'dist/fonts/glyphicons-halflings-regular.svg', 'dist/fonts/glyphicons-halflings-regular.ttf', 'dist/fonts/glyphicons-halflings-regular.woff', 'dist/fonts/glyphicons-halflings-regular.woff2', 'dist/css/bootstrap.css', 'dist/js/bootstrap.js', ], 'client'); });
dragosmateescu/startup-cafe
package.js
JavaScript
mit
1,260
exports.engine = function(version){ version = version || null; switch (version){ case null: case '0.8.2': return require('./0.8.2').engine; default: return null; } };
keeto/deck
Source/engines/v8cgi/engine.js
JavaScript
mit
182
""" http://community.topcoder.com/stat?c=problem_statement&pm=1667 Single Round Match 147 Round 1 - Division II, Level One """ class CCipher: def decode(self, cipherText, shift): a = ord('A') decoder = [a + (c - shift if c >= shift else c - shift + 26) for c in range(26)] plain = [chr(decoder[ord(c) - a]) for c in cipherText] return ''.join(plain)
warmsea/tc-srm
srm147/CCipher.py
Python
mit
389
'use strict'; var Killable = artifacts.require('../contracts/lifecycle/Killable.sol'); require('./helpers/transactionMined.js'); contract('Killable', function(accounts) { it('should send balance to owner after death', async function() { let killable = await Killable.new({from: accounts[0], value: web3.toWei('10','ether')}); let owner = await killable.owner(); let initBalance = web3.eth.getBalance(owner); await killable.kill({from: owner}); let newBalance = web3.eth.getBalance(owner); assert.isTrue(newBalance > initBalance); }); });
maraoz/zeppelin-solidity
test/Killable.js
JavaScript
mit
571
from hwt.synthesizer.rtlLevel.extract_part_drivers import extract_part_drivers from hwt.synthesizer.rtlLevel.remove_unconnected_signals import removeUnconnectedSignals from hwt.synthesizer.rtlLevel.mark_visibility_of_signals_and_check_drivers import markVisibilityOfSignalsAndCheckDrivers class DummyPlatform(): """ :note: all processors has to be callable with only one parameter which is actual Unit/RtlNetlist instance """ def __init__(self): self.beforeToRtl = [] self.beforeToRtlImpl = [] self.afterToRtlImpl = [] self.beforeHdlArchGeneration = [ extract_part_drivers, removeUnconnectedSignals, markVisibilityOfSignalsAndCheckDrivers, ] self.afterToRtl = []
Nic30/HWToolkit
hwt/synthesizer/dummyPlatform.py
Python
mit
775
using Microsoft.Diagnostics.Tracing; using System; using System.Collections.Concurrent; using System.Diagnostics; using System.Linq; using System.Management.Automation; using System.Reactive.Disposables; using System.Reactive.Linq; using System.Threading; namespace EtwStream.PowerShell { [Cmdlet(VerbsCommon.Get, "TraceEventStream", DefaultParameterSetName = "nameOrGuid")] public class GetTraceEvent : PSCmdlet { private CompositeDisposable disposable = new CompositeDisposable(); [Parameter(Position = 0, ParameterSetName = "nameOrGuid", Mandatory = true, ValueFromPipeline = true)] public string[] NameOrGuid { get; set; } [ValidateSet( nameof(WellKnownEventSources.AspNetEventSource), nameof(WellKnownEventSources.ConcurrentCollectionsEventSource), nameof(WellKnownEventSources.FrameworkEventSource), nameof(WellKnownEventSources.PinnableBufferCacheEventSource), nameof(WellKnownEventSources.PlinqEventSource), nameof(WellKnownEventSources.SqlEventSource), nameof(WellKnownEventSources.SynchronizationEventSource), nameof(WellKnownEventSources.TplEventSource))] [Parameter(Position = 0, ParameterSetName = "wellKnown", Mandatory = true, ValueFromPipeline = true)] public string[] WellKnownEventSource { get; set; } [ValidateSet( nameof(IISEventSources.AspDotNetEvents), nameof(IISEventSources.HttpEvent), nameof(IISEventSources.HttpLog), nameof(IISEventSources.HttpService), nameof(IISEventSources.IISAppHostSvc), nameof(IISEventSources.IISLogging), nameof(IISEventSources.IISW3Svc), nameof(IISEventSources.RuntimeWebApi), nameof(IISEventSources.RuntimeWebHttp))] [Parameter(Position = 0, ParameterSetName = "IIS", Mandatory = true, ValueFromPipeline = true)] public string[] IISEventSource { get; set; } [Parameter] public SwitchParameter DumpWithColor { get; set; } [Parameter] public TraceEventLevel TraceLevel { get; set; } = TraceEventLevel.Verbose; private IObservable<TraceEvent> listener = Observable.Empty<TraceEvent>(); protected override void ProcessRecord() { switch (ParameterSetName) { case "wellKnown": listener = listener.Merge(WellKnownEventSource.Select(x => GetWellKnownEventListener(x)).Merge()); break; case "IIS": listener = listener.Merge(IISEventSource.Select(x => GetIISEventListener(x)).Merge()); break; default: listener = listener.Merge(NameOrGuid.Select(x => ObservableEventListener.FromTraceEvent(x)).Merge()); break; } } protected override void EndProcessing() { var q = new BlockingCollection<Action>(); Exception exception = null; var d = listener .Where(x => Process.GetCurrentProcess().Id != x.ProcessID) .Where(x => x.Level <= TraceLevel) .Subscribe( x => { q.Add(() => { var item = new PSTraceEvent(x, Host.UI); if (DumpWithColor.IsPresent) { item.DumpWithColor(); } else { WriteObject(item); } WriteVerbose(item.DumpPayloadOrMessage()); }); }, e => { exception = e; q.CompleteAdding(); }, q.CompleteAdding); disposable.Add(d); var cts = new CancellationTokenSource(); disposable.Add(new CancellationDisposable(cts)); foreach (var act in q.GetConsumingEnumerable(cts.Token)) { act(); } if (exception != null) { ThrowTerminatingError(new ErrorRecord(exception, "1", ErrorCategory.OperationStopped, null)); } } protected override void StopProcessing() { disposable.Dispose(); } private IObservable<TraceEvent> GetWellKnownEventListener(string wellKnownEventSource) { switch (wellKnownEventSource) { case nameof(WellKnownEventSources.AspNetEventSource): return ObservableEventListener.FromTraceEvent(WellKnownEventSources.AspNetEventSource); case nameof(WellKnownEventSources.ConcurrentCollectionsEventSource): return ObservableEventListener.FromTraceEvent(WellKnownEventSources.ConcurrentCollectionsEventSource); case nameof(WellKnownEventSources.FrameworkEventSource): return ObservableEventListener.FromTraceEvent(WellKnownEventSources.FrameworkEventSource); case nameof(WellKnownEventSources.PinnableBufferCacheEventSource): return ObservableEventListener.FromTraceEvent(WellKnownEventSources.PinnableBufferCacheEventSource); case nameof(WellKnownEventSources.PlinqEventSource): return ObservableEventListener.FromTraceEvent(WellKnownEventSources.PlinqEventSource); case nameof(WellKnownEventSources.SqlEventSource): return ObservableEventListener.FromTraceEvent(WellKnownEventSources.SqlEventSource); case nameof(WellKnownEventSources.SynchronizationEventSource): return ObservableEventListener.FromTraceEvent(WellKnownEventSources.SynchronizationEventSource); case nameof(WellKnownEventSources.TplEventSource): return ObservableEventListener.FromTraceEvent(WellKnownEventSources.TplEventSource); default: return Observable.Empty<TraceEvent>(); } } private IObservable<TraceEvent> GetIISEventListener(string iisEventSource) { switch (iisEventSource) { case nameof(IISEventSources.AspDotNetEvents): return ObservableEventListener.FromTraceEvent(IISEventSources.AspDotNetEvents); case nameof(IISEventSources.HttpEvent): return ObservableEventListener.FromTraceEvent(IISEventSources.HttpEvent); case nameof(IISEventSources.HttpLog): return ObservableEventListener.FromTraceEvent(IISEventSources.HttpLog); case nameof(IISEventSources.HttpService): return ObservableEventListener.FromTraceEvent(IISEventSources.HttpService); case nameof(IISEventSources.IISAppHostSvc): return ObservableEventListener.FromTraceEvent(IISEventSources.IISAppHostSvc); case nameof(IISEventSources.IISLogging): return ObservableEventListener.FromTraceEvent(IISEventSources.IISLogging); case nameof(IISEventSources.IISW3Svc): return ObservableEventListener.FromTraceEvent(IISEventSources.IISW3Svc); case nameof(IISEventSources.RuntimeWebApi): return ObservableEventListener.FromTraceEvent(IISEventSources.RuntimeWebApi); case nameof(IISEventSources.RuntimeWebHttp): return ObservableEventListener.FromTraceEvent(IISEventSources.RuntimeWebHttp); default: return Observable.Empty<TraceEvent>(); } } } }
pierre3/EtwStream.PowerShell
EtwStream.PowerShell/GetTraceEventStream.cs
C#
mit
7,932
package com.yunpian.sdk.model; /** * Created by bingone on 15/11/8. */ public class VoiceSend extends BaseInfo { }
yunpian/yunpian-java-sdk
src/main/java/com/yunpian/sdk/model/VoiceSend.java
Java
mit
119
package com.ipvans.flickrgallery.ui.main; import android.util.Log; import com.ipvans.flickrgallery.data.SchedulerProvider; import com.ipvans.flickrgallery.di.PerActivity; import com.ipvans.flickrgallery.domain.FeedInteractor; import com.ipvans.flickrgallery.domain.UpdateEvent; import java.util.concurrent.TimeUnit; import javax.inject.Inject; import io.reactivex.Observable; import io.reactivex.disposables.CompositeDisposable; import io.reactivex.disposables.Disposable; import io.reactivex.subjects.BehaviorSubject; import io.reactivex.subjects.PublishSubject; import static com.ipvans.flickrgallery.ui.main.MainViewState.*; @PerActivity public class MainPresenterImpl implements MainPresenter<MainViewState> { private final FeedInteractor interactor; private final SchedulerProvider schedulers; private BehaviorSubject<MainViewState> stateSubject = BehaviorSubject.createDefault(empty()); private PublishSubject<UpdateEvent> searchSubject = PublishSubject.create(); private Disposable disposable = new CompositeDisposable(); @Inject public MainPresenterImpl(FeedInteractor interactor, SchedulerProvider schedulers) { this.interactor = interactor; this.schedulers = schedulers; } @Override public void onAttach() { Observable.combineLatest(searchSubject .debounce(150, TimeUnit.MILLISECONDS, schedulers.io()) .doOnNext(interactor::getFeed), interactor.observe(), (tags, feed) -> new MainViewState(feed.isLoading(), feed.getError(), feed.getData(), tags.getTags())) .withLatestFrom(stateSubject, (newState, oldState) -> new MainViewState( newState.isLoading(), newState.getError(), newState.getData() != null ? newState.getData() : oldState.getData(), newState.getTags() )) .observeOn(schedulers.io()) .subscribeWith(stateSubject) .onSubscribe(disposable); } @Override public void onDetach() { disposable.dispose(); } @Override public void restoreState(MainViewState data) { stateSubject.onNext(data); } @Override public Observable<MainViewState> observe() { return stateSubject; } @Override public MainViewState getLatestState() { return stateSubject.getValue(); } @Override public void search(String tags, boolean force) { searchSubject.onNext(new UpdateEvent(tags, force)); } }
VansPo/flickr-gallery
FlickrGallery/app/src/main/java/com/ipvans/flickrgallery/ui/main/MainPresenterImpl.java
Java
mit
2,680
package aaron.org.anote.viewbinder; import android.app.Activity; import android.os.Bundle; public class DynamicActivity extends Activity { @Override public void onCreate(Bundle savedInstance) { super.onCreate(savedInstance); Layout.start(this); } }
phil0522/anote
anote-mobile/ANote/app/src/main/java/aaron/org/anote/viewbinder/DynamicActivity.java
Java
mit
279
'use strict'; describe('Directive: resize', function () { // load the directive's module beforeEach(module('orderDisplayApp')); var element, scope; beforeEach(inject(function ($rootScope) { scope = $rootScope.$new(); })); //TODO: Add unit tests /*it('should change height', inject(function ($compile, $window) { element = angular.element('<resize></resize>'); element = $compile(element)(scope); expect(scope.screenHeight).toBe($window.outerHeight); }));*/ });
PureHacks/PickMeUp
test/spec/directives/resize.js
JavaScript
mit
487
/* * Copyright (c) 2005 Dizan Vasquez. * * 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. */ package net.jenet; import java.nio.ByteBuffer; import org.apache.commons.lang.builder.ToStringBuilder; import org.apache.commons.lang.builder.ToStringStyle; /** * Wraps information to be sent through JeNet. * @author Dizan Vasquez */ public class Packet implements IBufferable { /** * Indicates that this packet is reliable */ public static final int FLAG_RELIABLE = 1; /** * Indicates that the packet should be processed no * matter its order relative to other packets. */ public static final int FLAG_UNSEQUENCED = 2; protected int referenceCount; protected int flags; protected ByteBuffer data; protected int dataLength; private Packet() { super(); } /** * Creates a new Packet. * The constructor allocates a new packet and allocates a * buffer of <code>dataLength</code> bytes for it. * * @param dataLength * The size in bytes of this packet. * @param flags * An byte inidicating the how to handle this packet. */ public Packet( int dataLength, int flags ) { data = ByteBuffer.allocateDirect( dataLength ); this.dataLength = dataLength; this.flags = flags; } /** * Copies this packet's data into the given buffer. * @param buffer * Destination buffer */ public void toBuffer( ByteBuffer buffer ) { data.flip(); for ( int i = 0; i < dataLength; i++ ) { buffer.put( data.get() ); } } /** * Copies part of this packet's data into the given buffer. * @param buffer * Destination buffer * @param offset * Initial position of the destination buffer * @param length * Total number of bytes to copy */ public void toBuffer( ByteBuffer buffer, int offset, int length ) { int position = data.position(); int limit = data.limit(); data.flip(); data.position( offset ); for ( int i = 0; i < length; i++ ) { buffer.put( data.get() ); } data.position( position ); data.limit( limit ); } /** * Copies the given buffer into this packet's data. * @ param buffer * Buffer to copy from */ public void fromBuffer( ByteBuffer buffer ) { data.clear(); for ( int i = 0; i < dataLength; i++ ) { data.put( buffer.get() ); } } /** * Copies part of the given buffer into this packet's data. * @param buffer * Buffer to copy from * @param fragmentOffset * Position of the first byte to copy * @param length * Total number of bytes to copy */ public void fromBuffer( ByteBuffer buffer, int fragmentOffset, int length ) { data.position( fragmentOffset ); for ( int i = 0; i < length; i++ ) { data.put( buffer.get() ); } data.position( dataLength ); data.limit( dataLength ); } /** * Returs size of this packet. * @return Size in bytes of this packet */ public int byteSize() { return dataLength; } /** * Returns the data contained in this packet * @return Returns the data. */ public ByteBuffer getData() { return data; } /** * Returns the size in bytes of this packet's data * @return Returns the dataLength. */ public int getDataLength() { return dataLength; } /** * Returns this packet's flags. * @return Returns the flags. */ public int getFlags() { return flags; } /** * @return Returns the referenceCount. */ int getReferenceCount() { return referenceCount; } /** * Sets the flags for this packet. * The parameter is an or of the flags <code>FLAG_RELIABLE</code> and <code>FLAG_UNSEQUENCED</code> * a value of zero indicates an unreliable, sequenced (last one is kept) packet. * @param flags * The flags to set. */ public void setFlags( int flags ) { this.flags = flags; } /** * @param referenceCount * The referenceCount to set. */ void setReferenceCount( int referenceCount ) { this.referenceCount = referenceCount; } public String toString() { return ToStringBuilder.reflectionToString( this, ToStringStyle.MULTI_LINE_STYLE ); } }
seeseekey/jenet
src/net/jenet/Packet.java
Java
mit
6,482
'use strict'; angular.module('core').controller('HomeController', ['$scope', 'Authentication', '$http', '$modal','$rootScope', function($scope, Authentication, $http, $modal, $rootScope) { // This provides Authentication context. $scope.authentication = Authentication; $scope.card = {}; $scope.columnWidth = function() { return Math.floor((100 / $scope.columns.length) * 100) / 100; }; $scope.updateCard = function(column, card) { var modalInstance = $modal.open({ templateUrl: '/modules/core/views/card-details.client.view.html', controller: modalController, size: 'lg', resolve: { items: function() { return angular.copy({ title: card.title, Details: card.details, release: card.release, cardColor: card.ragStatus, column: column, architect: card.architect, analyst: card.Analyst, designer: card.designer, buildCell: card.buildCell }); } } }); modalInstance.result.then(function(result) { console.log(result.title); angular.forEach($scope.columns, function(col) { if(col.name === column.name) { angular.forEach(col.cards, function(cd) { if (cd.title === card.title) { if (col.name === 'Backlog') { cd.details = result.Details; } else { cd.details = result.Details; if (result.cardColor) { cd.ragStatus = '#' + result.cardColor; } else { cd.ragStatus = '#5CB85C'; } cd.release = result.release; cd.architect = result.architect; cd.designer = result.designer; cd.Analyst = result.analyst; cd.buildCell = result.buildCell } } }); } }); console.log('modal closed'); }, function() { console.log('modal dismissed'); }); //setTimeout(function() { // $scope.$apply(function(){ // console.log('broadcasting event'); // $rootScope.$broadcast('OpenCardDetails', column, card); // }); //}, 500); }; var modalController = function($scope, $modalInstance, items) { $scope.colorOptions = ['5CB85C','FFEB13','FF0000']; console.log(items.column.name); $scope.card = items; $scope.ok = function () { //events(); $modalInstance.close($scope.card); }; $scope.cancel = function () { $modalInstance.dismiss('cancel'); }; }; $scope.$on('OpenCardDetails', function(e, column,card) { console.log('in broadcast event'); console.log(column.name); $scope.card = card; }); $scope.columns = [ {'name': 'Backlog',cards: [{'id': '1', 'title': 'item1', 'drag':true, 'release':"",'ragStatus':'#5cb85c', 'details':"",'architect':"", 'Analyst':"",'designer':"",'buildCell':""}, {'id': '2','title': 'item2', 'drag':true, 'release':"",'ragStatus':'#5cb85c', 'details':"",'architect':"", 'Analyst':"",'designer':"",'buildCell':""}, {'id': '3','title': 'item3', 'drag':true, 'release':"",'ragStatus':'#ffeb13', 'details':"",'architect':"", 'Analyst':"",'designer':"",'buildCell':""}, {'id': '4','title': 'item4', 'drag':true, 'release':"",'ragStatus':'#5cb85c', 'details':"",'architect':"", 'Analyst':"",'designer':"",'buildCell':""}, {'id': '5','title': 'item5', 'drag':true, 'release':"",'ragStatus':'#ff0000', 'details':"",'architect':"", 'Analyst':"",'designer':"",'buildCell':""}, {'id': '6','title': 'item6', 'drag':true, 'release':"",'ragStatus':'#5cb85c', 'details':"",'architect':"", 'Analyst':"",'designer':"",'buildCell':""}], 'hideCol':false}, {'name': 'Discovery',cards: [], 'hideCol':false}, {'name': 'Design',cards: [], 'hideCol':false}, {'name': 'Build',cards: [], 'hideCol':false}, {'name': 'Pilot',cards: [], 'hideCol':false} ]; $scope.hiddenCol = function(column) { angular.forEach($scope.columns, function(col) { if(col.name === column.name) { if(column.hideCol === true) { column.hideCol = false; } else { column.hideCol = true; } } }); }; $scope.addCard = function(column) { angular.forEach($scope.columns, function(col){ if(col.name === column.name) { column.cards.push({'title': 'item8','drag':true}); } }); }; $scope.list1 = [ {'title': 'item1', 'drag':true}, {'title': 'item2', 'drag':true}, {'title': 'item3', 'drag':true}, {'title': 'item4', 'drag':true}, {'title': 'item5', 'drag':true}, {'title': 'item6', 'drag':true} ]; $scope.list2 = []; $scope.sortableOptions = { //containment: '#sortable-container1' }; $scope.sortableOptions1 = { //containment: '#sortable-container2' }; $scope.removeCard = function(column, card) { angular.forEach($scope.columns, function(col) { if (col.name === column.name) { col.cards.splice(col.cards.indexOf(card), 1); } }); }; $scope.dragControlListeners = { itemMoved: function (event) { var releaseVar = ''; var columnName = event.dest.sortableScope.$parent.column.name; if (columnName === 'Backlog') { releaseVar = ''; } else { //releaseVar = prompt('Enter Release Info !'); } angular.forEach($scope.columns, function(col) { if (col.name === columnName) { angular.forEach(col.cards, function(card) { if (card.title === event.source.itemScope.modelValue.title) { if (releaseVar === ' ' || releaseVar.length === 0) { releaseVar = 'Rel'; } card.release = releaseVar; } }); } }); } }; } ]);
bonzyKul/continuous
public/modules/core/controllers/home.client.controller.js
JavaScript
mit
7,537
/*eslint-disable */ var webpack = require( "webpack" ); var sml = require( "source-map-loader" ); /*eslint-enable */ var path = require( "path" ); module.exports = { module: { preLoaders: [ { test: /\.js$/, loader: "source-map-loader" } ], loaders: [ { test: /sinon.*\.js/, loader: "imports?define=>false" }, { test: /\.spec\.js$/, exclude: /node_modules/, loader: "babel-loader" } ], postLoaders: [ { test: /\.js$/, exclude: /(spec|node_modules)\//, loader: "istanbul-instrumenter" } ] }, resolve: { alias: { "when.parallel": "when/parallel", "when.pipeline": "when/pipeline", react: "react/dist/react-with-addons.js", lux: path.join( __dirname, "./lib/lux.js" ) } } };
rniemeyer/lux.js
webpack.config.test.js
JavaScript
mit
733
import {Component, OnInit} from '@angular/core'; import {ActivityService} from '../../services/activity.service'; import {Activity} from "../../models/activity"; import {BarChartComponent} from "../bar-chart/bar-chart.component"; @Component({ selector: 'records-view', moduleId: module.id, templateUrl: 'records-view.component.html', styleUrls: ['records-view.component.css'], directives: [BarChartComponent] }) export class RecordsViewComponent implements OnInit { calBurnActs:Activity[]; longestActs:Activity[]; constructor(private activityService:ActivityService) { } getData() { this.activityService.getActivities('totalCalories','desc',6).then( data => this.calBurnActs = data ); this.activityService.getActivities('totalDistance','desc',6).then( data => this.longestActs = data ); } ngOnInit() { this.getData(); } }
montgomeryce/HAVC
app/components/records-view/records-view.component.ts
TypeScript
mit
951
from __future__ import (absolute_import, division, print_function, unicode_literals) RJUST = 12 def format_fans(fans): return format_line(prefix='fans'.rjust(RJUST), values=fans) def format_rpms(rpms): return format_line(prefix='rpms'.rjust(RJUST), values=rpms) def format_pwms(pwms): return format_line(prefix='pwms'.rjust(RJUST), values=pwms) def format_tmps(tmps): return format_line(prefix='temps'.rjust(RJUST), values=tmps) def format_names(names): return format_line(prefix='names'.rjust(RJUST), values=names) def format_ports(ports): return format_line(prefix='ports'.rjust(RJUST), values=ports) def format_temps(temps): return format_line(prefix='temps'.rjust(RJUST), values=temps) def format_ambients(ambients): return format_line(prefix='ambients'.rjust(RJUST), values=ambients) def format_limits(limits): return format_line(prefix='limits'.rjust(RJUST), values=limits) def format_buffers(buffers): return format_line(prefix='buffers'.rjust(RJUST), values=buffers) def format_headrooms(headrooms): return format_line(prefix='headrooms'.rjust(RJUST), values=headrooms) def format_directions(directions): return format_line(prefix='directions'.rjust(RJUST), values=directions) def format_differences(differences): return format_line(prefix='differences'.rjust(RJUST), values=differences) def format_pwms_new(pwms_new): return format_line(prefix='new pwms'.rjust(RJUST), values=pwms_new) def format_line(prefix, values): line = '' line += prefix line += ': ' line += '[' for value in values: try: if value >= 1: value = int(round(value, 0)) if 1 > value != 0: value = str(value)[1:4].ljust(3, '0') except TypeError: # value is None pass value = str(value) if value is not None else '' line += value.rjust(6) line += ', ' line = line[:-len(', ')] line += ']' return line
Bengt/AL-FanControl
python/fancontrol/ui/cli_util.py
Python
mit
2,042
/* ///////////////////////////////////////////////////////////////////////// * File: stlsoft/conversion/internal/explicit_cast_specialisations.hpp * * Purpose: Specialisations of explicit_cast * * Created: 13th August 2003 * Updated: 10th August 2009 * * Home: http://stlsoft.org/ * * Copyright (c) 2003-2009, Matthew Wilson and Synesis Software * All rights reserved. * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions are met: * * - Redistributions of source code must retain the above copyright notice, this * list of conditions and the following disclaimer. * - Redistributions in binary form must reproduce the above copyright notice, * this list of conditions and the following disclaimer in the documentation * and/or other materials provided with the distribution. * - Neither the name(s) of Matthew Wilson and Synesis Software nor the names of * any contributors may be used to endorse or promote products derived from * this software without specific prior written permission. * * 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 OWNER 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. * * ////////////////////////////////////////////////////////////////////// */ /** \file stlsoft/conversion/internal/explicit_cast_specialisations.hpp * * \brief [C++ only] Explicit specialisations of stlsoft::explicit_cast * (\ref group__library__conversion "Conversion" Library). */ #ifndef STLSOFT_INCL_STLSOFT_CONVERSION_HPP_EXPLICIT_CAST # error This file is included from within stlsoft/conversion/explicit_cast.hpp, and cannot be included directly #else #ifndef STLSOFT_DOCUMENTATION_SKIP_SECTION # define STLSOFT_VER_STLSOFT_CONVERSION_INTERNAL_HPP_EXPLICIT_CAST_SPECIALISATIONS_MAJOR 4 # define STLSOFT_VER_STLSOFT_CONVERSION_INTERNAL_HPP_EXPLICIT_CAST_SPECIALISATIONS_MINOR 0 # define STLSOFT_VER_STLSOFT_CONVERSION_INTERNAL_HPP_EXPLICIT_CAST_SPECIALISATIONS_REVISION 1 # define STLSOFT_VER_STLSOFT_CONVERSION_INTERNAL_HPP_EXPLICIT_CAST_SPECIALISATIONS_EDIT 21 #endif /* !STLSOFT_DOCUMENTATION_SKIP_SECTION */ /* ///////////////////////////////////////////////////////////////////////// * Auto-generation and compatibility */ /* [<[STLSOFT-AUTO:NO-UNITTEST]>] [<[STLSOFT-AUTO:NO-DOCFILELABEL]>] */ /* ///////////////////////////////////////////////////////////////////////// * Specialisations */ STLSOFT_TEMPLATE_SPECIALISATION class explicit_cast<char const&> { public: typedef char value_type; typedef explicit_cast<char> class_type; // Construction public: explicit_cast(char const& t) : m_t(t) {} // Conversions public: operator char const& () const { return m_t; } // Members private: char const& m_t; }; #ifdef STLSOFT_CF_NATIVE_WCHAR_T_SUPPORT STLSOFT_TEMPLATE_SPECIALISATION class explicit_cast<wchar_t const&> { public: typedef wchar_t value_type; typedef explicit_cast<wchar_t> class_type; // Construction public: explicit_cast(wchar_t const& t) : m_t(t) {} // Conversions public: operator wchar_t const& () const { return m_t; } // Members private: wchar_t const& m_t; }; #endif /* STLSOFT_CF_NATIVE_WCHAR_T_SUPPORT */ STLSOFT_TEMPLATE_SPECIALISATION class explicit_cast<unsigned char const&> { public: typedef unsigned char value_type; typedef explicit_cast<unsigned char> class_type; // Construction public: explicit_cast(unsigned char const& t) : m_t(t) {} // Conversions public: operator unsigned char const& () const { return m_t; } // Members private: unsigned char const& m_t; }; STLSOFT_TEMPLATE_SPECIALISATION class explicit_cast<signed char const&> { public: typedef signed char value_type; typedef explicit_cast<signed char> class_type; // Construction public: explicit_cast(signed char const& t) : m_t(t) {} // Conversions public: operator signed char const& () const { return m_t; } // Members private: signed char const& m_t; }; STLSOFT_TEMPLATE_SPECIALISATION class explicit_cast<signed short const&> { public: typedef signed short value_type; typedef explicit_cast<signed short> class_type; // Construction public: explicit_cast(signed short const& t) : m_t(t) {} // Conversions public: operator signed short const& () const { return m_t; } // Members private: signed short const& m_t; }; STLSOFT_TEMPLATE_SPECIALISATION class explicit_cast<unsigned short const&> { public: typedef unsigned short value_type; typedef explicit_cast<unsigned short> class_type; // Construction public: explicit_cast(unsigned short const& t) : m_t(t) {} // Conversions public: operator unsigned short const& () const { return m_t; } // Members private: unsigned short const& m_t; }; STLSOFT_TEMPLATE_SPECIALISATION class explicit_cast<signed int const&> { public: typedef signed int value_type; typedef explicit_cast<signed int> class_type; // Construction public: explicit_cast(signed int const& t) : m_t(t) {} // Conversions public: operator signed int const& () const { return m_t; } // Members private: signed int const& m_t; }; STLSOFT_TEMPLATE_SPECIALISATION class explicit_cast<unsigned int const&> { public: typedef unsigned int value_type; typedef explicit_cast<unsigned int> class_type; // Construction public: explicit_cast(unsigned int const& t) : m_t(t) {} // Conversions public: operator unsigned int const& () const { return m_t; } // Members private: unsigned int const& m_t; }; STLSOFT_TEMPLATE_SPECIALISATION class explicit_cast<signed long const&> { public: typedef signed long value_type; typedef explicit_cast<signed long> class_type; // Construction public: explicit_cast(signed long const& t) : m_t(t) {} // Conversions public: operator signed long const& () const { return m_t; } // Members private: signed long const& m_t; }; STLSOFT_TEMPLATE_SPECIALISATION class explicit_cast<unsigned long const&> { public: typedef unsigned long value_type; typedef explicit_cast<unsigned long> class_type; // Construction public: explicit_cast(unsigned long const& t) : m_t(t) {} // Conversions public: operator unsigned long const& () const { return m_t; } // Members private: unsigned long const& m_t; }; #ifdef STLSOFT_CF_64BIT_INT_IS_long_long STLSOFT_TEMPLATE_SPECIALISATION class explicit_cast<signed long long const&> { public: typedef signed long long value_type; typedef explicit_cast<signed long long> class_type; // Construction public: explicit_cast(signed long long const& t) : m_t(t) {} // Conversions public: operator signed long long const& () const { return m_t; } // Members private: signed long long const& m_t; }; STLSOFT_TEMPLATE_SPECIALISATION class explicit_cast<unsigned long long const&> { public: typedef unsigned long long value_type; typedef explicit_cast<unsigned long long> class_type; // Construction public: explicit_cast(unsigned long long const& t) : m_t(t) {} // Conversions public: operator unsigned long long const& () const { return m_t; } // Members private: unsigned long long const& m_t; }; #elif defined(STLSOFT_CF_64BIT_INT_IS___int64) STLSOFT_TEMPLATE_SPECIALISATION class explicit_cast<signed __int64 const&> { public: typedef signed __int64 value_type; typedef explicit_cast<signed __int64> class_type; // Construction public: explicit_cast(signed __int64 const& t) : m_t(t) {} // Conversions public: operator signed __int64 const& () const { return m_t; } // Members private: signed __int64 const& m_t; }; STLSOFT_TEMPLATE_SPECIALISATION class explicit_cast<unsigned __int64 const&> { public: typedef unsigned __int64 value_type; typedef explicit_cast<unsigned __int64> class_type; // Construction public: explicit_cast(unsigned __int64 const& t) : m_t(t) {} // Conversions public: operator unsigned __int64 const& () const { return m_t; } // Members private: unsigned __int64 const& m_t; }; #else # error 64-bit discrimination not handled correctly #endif /* 64-bit */ STLSOFT_TEMPLATE_SPECIALISATION class explicit_cast<float const&> { public: typedef float value_type; typedef explicit_cast<float> class_type; // Construction public: explicit_cast(float const& t) : m_t(t) {} // Conversions public: operator float const& () const { return m_t; } // Members private: float const& m_t; }; STLSOFT_TEMPLATE_SPECIALISATION class explicit_cast<double const&> { public: typedef double value_type; typedef explicit_cast<double> class_type; // Construction public: explicit_cast(double const& t) : m_t(t) {} // Conversions public: operator double const& () const { return m_t; } // Members private: double const& m_t; }; STLSOFT_TEMPLATE_SPECIALISATION class explicit_cast<long double const&> { public: typedef long double value_type; typedef explicit_cast<long double> class_type; // Construction public: explicit_cast(long double const& t) : m_t(t) {} // Conversions public: operator long double const& () const { return m_t; } // Members private: long double const& m_t; }; #ifdef STLSOFT_CF_NATIVE_BOOL_SUPPORT STLSOFT_TEMPLATE_SPECIALISATION class explicit_cast<bool const&> { public: typedef bool value_type; typedef explicit_cast<bool> class_type; // Construction public: explicit_cast(bool const& t) : m_t(t) {} // Conversions public: operator bool const& () const { return m_t; } // Members private: bool const& m_t; }; #endif /* STLSOFT_CF_NATIVE_BOOL_SUPPORT */ /* ////////////////////////////////////////////////////////////////////// */ #endif /* !STLSOFT_INCL_STLSOFT_CONVERSION_HPP_EXPLICIT_CAST */ /* ///////////////////////////// end of file //////////////////////////// */
rokn/Count_Words_2015
fetched_code/cpp/code/explicit_cast_specialisations.hpp
C++
mit
11,877
package com.aspose.cloud.sdk.cells.model; public enum ValidFormatsForDocumentEnum { csv, xlsx, xlsm, xltx, xltm, text, html, pdf, ods, xls, spreadsheetml, xlsb, xps, tiff, jpeg, png, emf, bmp, gif }
asposeforcloud/Aspose_Cloud_SDK_For_Android
asposecloudsdk/src/main/java/com/aspose/cloud/sdk/cells/model/ValidFormatsForDocumentEnum.java
Java
mit
236
# -*- coding: utf-8 -*- import datetime from south.db import db from south.v2 import SchemaMigration from django.db import models class Migration(SchemaMigration): def forwards(self, orm): # Adding model 'Package' db.create_table(u'api_package', ( (u'id', self.gf('django.db.models.fields.AutoField')(primary_key=True)), ('name', self.gf('django.db.models.fields.CharField')(unique=True, max_length=500, db_index=True)), ('url', self.gf('django.db.models.fields.CharField')(unique=True, max_length=500)), ('created_at', self.gf('django.db.models.fields.DateField')(auto_now_add=True, blank=True)), )) db.send_create_signal(u'api', ['Package']) # Adding unique constraint on 'Package', fields ['name', 'url'] db.create_unique(u'api_package', ['name', 'url']) def backwards(self, orm): # Removing unique constraint on 'Package', fields ['name', 'url'] db.delete_unique(u'api_package', ['name', 'url']) # Deleting model 'Package' db.delete_table(u'api_package') models = { u'api.package': { 'Meta': {'unique_together': "(('name', 'url'),)", 'object_name': 'Package'}, 'created_at': ('django.db.models.fields.DateField', [], {'auto_now_add': 'True', 'blank': 'True'}), u'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}), 'name': ('django.db.models.fields.CharField', [], {'unique': 'True', 'max_length': '500', 'db_index': 'True'}), 'url': ('django.db.models.fields.CharField', [], {'unique': 'True', 'max_length': '500'}) } } complete_apps = ['api']
toranb/django-bower-registry
api/migrations/0001_initial.py
Python
mit
1,703
from __future__ import absolute_import import matplotlib # Force matplotlib to not use any Xwindows backend. matplotlib.use('Agg') import matplotlib.pyplot as plt from plotly.tests.utils import compare_dict from plotly.tests.test_optional.optional_utils import run_fig from plotly.tests.test_optional.test_matplotlylib.data.annotations import * def test_annotations(): fig, ax = plt.subplots() ax.plot([1, 2, 3], 'b-') ax.plot([3, 2, 1], 'b-') ax.text(0.001, 0.999, 'top-left', transform=ax.transAxes, va='top', ha='left') ax.text(0.001, 0.001, 'bottom-left', transform=ax.transAxes, va='baseline', ha='left') ax.text(0.999, 0.999, 'top-right', transform=ax.transAxes, va='top', ha='right') ax.text(0.999, 0.001, 'bottom-right', transform=ax.transAxes, va='baseline', ha='right') renderer = run_fig(fig) for data_no, data_dict in enumerate(renderer.plotly_fig['data']): equivalent, msg = compare_dict(data_dict, ANNOTATIONS['data'][data_no]) assert equivalent, msg for no, note in enumerate(renderer.plotly_fig['layout']['annotations']): equivalent, msg = compare_dict(note, ANNOTATIONS['layout']['annotations'][no]) assert equivalent, msg
ee-in/python-api
plotly/tests/test_optional/test_matplotlylib/test_annotations.py
Python
mit
1,342
const { environment } = require('@rails/webpacker') const webpack = require('webpack') // excluding node_modules from being transpiled by babel-loader. environment.loaders.delete("nodeModules"); environment.plugins.prepend('Provide', new webpack.ProvidePlugin({ $: 'jquery', jQuery: 'jquery', jquery: "jquery", Popper: ['popper.js', 'default'] })) // const aliasConfig = { // 'jquery': 'jquery-ui-dist/external/jquery/jquery.js', // 'jquery-ui': 'jquery-ui-dist/jquery-ui.js' // }; // environment.config.set('resolve.alias', aliasConfig); // resolve-url-loader must be used before sass-loader // https://github.com/rails/webpacker/blob/master/docs/css.md#resolve-url-loader environment.loaders.get("sass").use.splice(-1, 0, { loader: "resolve-url-loader" }); module.exports = environment
edk/tribalknow
config/webpack/environment.js
JavaScript
mit
810
from distutils.core import setup setup( # Application name: name="streaker", # Version number (initial): version="0.0.1", # Application author details: author="Aldi Alimucaj", author_email="aldi.alimucaj@gmail.com", # Packages packages=["streaker"], scripts=['bin/streaker'], # Include additional files into the package include_package_data=True, # Details url="http://pypi.python.org/pypi/Streaker_v001/", # license="MIT", description="GitHub streak manipulator", # long_description=open("README.txt").read(), # Dependent packages (distributions) install_requires=[ # "", ], )
aldialimucaj/Streaker
setup.py
Python
mit
680
const ResponseMessage = require('../../messages').Response; const through2 = require('through2'); const xtend = require('xtend'); var defaults = { ignore_invalid: false }; function encoder(Message, options) { options = xtend(defaults, options || {}); return through2.obj(function(message, enc, callback) { if (Message.verify(message)) { if (options.ignore_invalid) { return this.queue(message); } throw new Error('unhandled request'); } return callback(null, Message.encodeDelimited(message).finish()); }); } module.exports = function () { return encoder(ResponseMessage); };
auth0/node-baas
lib/pipeline/response_writer.js
JavaScript
mit
673
<?php namespace CoreBundle\Model\map; use \RelationMap; use \TableMap; /** * This class defines the structure of the 'list_holidays' table. * * * * This map class is used by Propel to do runtime db structure discovery. * For example, the createSelectSql() method checks the type of a given column used in an * ORDER BY clause to know whether it needs to apply SQL to make the ORDER BY case-insensitive * (i.e. if it's a text column type). * * @package propel.generator.src.CoreBundle.Model.map */ class ListHolidaysTableMap extends TableMap { /** * The (dot-path) name of this class */ const CLASS_NAME = 'src.CoreBundle.Model.map.ListHolidaysTableMap'; /** * Initialize the table attributes, columns and validators * Relations are not initialized by this method since they are lazy loaded * * @return void * @throws PropelException */ public function initialize() { // attributes $this->setName('list_holidays'); $this->setPhpName('ListHolidays'); $this->setClassname('CoreBundle\\Model\\ListHolidays'); $this->setPackage('src.CoreBundle.Model'); $this->setUseIdGenerator(true); // columns $this->addPrimaryKey('id', 'Id', 'INTEGER', true, null, null); $this->addColumn('date', 'Date', 'TIMESTAMP', true, null, null); $this->addColumn('name', 'Name', 'VARCHAR', true, 45, null); $this->addColumn('type', 'Type', 'VARCHAR', true, 45, null); // validators } // initialize() /** * Build the RelationMap objects for this table relationships */ public function buildRelations() { } // buildRelations() } // ListHolidaysTableMap
aianguanlao/prols
Backend/PROLS/src/CoreBundle/Model/map/ListHolidaysTableMap.php
PHP
mit
1,732
// Modified from https://github.com/dburrows/draft-js-basic-html-editor/blob/master/src/utils/draftRawToHtml.js 'use strict'; import { List } from 'immutable'; import * as InlineStylesProcessor from './inline-styles-processor'; import ApiDataInstance from './api-data-instance'; import AtomicBlockProcessor from './atomic-block-processor'; import ENTITY from './entities'; import merge from 'lodash/merge'; const _ = { merge, } const annotationIndicatorPrefix = '__ANNOTATION__='; let defaultBlockTagMap = { 'atomic': `<div>%content%</div>`, 'blockquote': `<blockquote>%content%</blockquote>`, 'code-block': `<code>%content%</code>`, 'default': `<p>%content%</p>`, 'header-one': `<h1>%content%</h1>`, 'header-two': `<h2>%content%</h2>`, 'header-three': `<h3>%content%</h3>`, 'header-four': `<h4>%content%</h4>`, 'header-five': `<h5>%content%</h5>`, 'header-six': `<h6>%content%</h6>`, 'ordered-list-item': `<li>%content%</li>`, 'paragraph': `<p>%content%</p>`, 'unordered-list-item': `<li>%content%</li>`, 'unstyled': `<p>%content%</p>`, }; let inlineTagMap = { BOLD: ['<strong>', '</strong>'], CODE: ['<code>', '</code>'], default: ['<span>', '</span>'], ITALIC: ['<em>', '</em>'], UNDERLINE: ['<u>', '</u>'], }; let defaultEntityTagMap = { [ENTITY.ANNOTATION.type]: ['<abbr title="<%= data.pureAnnotationText %>"><%= data.text %>', '</abbr>'], [ENTITY.AUDIO.type]: ['<div class="audio-container"><div class="audio-title"><%= data.title %></div><div class="audio-desc"><%= data.description %></div><audio src="<%= data.url %>" />', '</div>'], [ENTITY.BLOCKQUOTE.type]: ['<blockquote><div><%= data.quote %></div><div><%= data.quoteBy %></div>', '<blockquote>'], [ENTITY.EMBEDDEDCODE.type]: ['<div><%= data.embeddedCode%>', '</div>'], [ENTITY.INFOBOX.type]: ['<div class="info-box-container"><div class="info-box-title"><%= data.title %></div><div class="info-box-body"><%= data.body %></div>', '</div>'], [ENTITY.LINK.type]: ['<a target="_blank" href="<%= data.url %>">', '</a>'], [ENTITY.IMAGE.type]: ['<img alt="<%= data.description %>" src="<%= data.url %>">', '</img>'], [ENTITY.IMAGELINK.type]: ['<img alt="<%= data.description %>" src="<%= data.url %>">', '</img>'], [ENTITY.SLIDESHOW.type]: ['<!-- slideshow component start --> <ol class="slideshow-container"> <% if(!data) { data = []; } data.forEach(function(image) { %><li class="slideshow-slide"><img src="<%- image.url %>" /></li><% }); %>', '</ol><!-- slideshow component end -->'], [ENTITY.IMAGEDIFF.type]: ['<!-- imageDiff component start --> <ol class="image-diff-container"> <% if(!data) { data = []; } data.forEach(function(image, index) { if (index > 1) { return; } %><li class="image-diff-item"><img src="<%- image.url %>" /></li><% }); %>', '</ol><!-- imageDiff component end-->'], [ENTITY.YOUTUBE.type]: ['<iframe width="560" height="315" src="https://www.youtube.com/embed/<%= data.youtubeId %>" frameborder="0" allowfullscreen>', '</iframe>'], }; let nestedTagMap = { 'ordered-list-item': ['<ol>', '</ol>'], 'unordered-list-item': ['<ul>', '</ul>'], }; function _convertInlineStyle (block, entityMap, blockTagMap, entityTagMap) { return blockTagMap[block.type] ? blockTagMap[block.type].replace( '%content%', InlineStylesProcessor.convertToHtml(inlineTagMap, entityTagMap, entityMap, block) ) : blockTagMap.default.replace( '%content%', InlineStylesProcessor.convertToHtml(inlineTagMap, block) ); } function _convertBlocksToHtml (blocks, entityMap, blockTagMap, entityTagMap) { let html = ''; let nestLevel = []; // store the list type of the previous item: null/ol/ul blocks.forEach((block) => { // create tag for <ol> or <ul>: deal with ordered/unordered list item // if the block is a list-item && the previous block is not a list-item if (nestedTagMap[block.type] && nestLevel[0] !== block.type) { html += nestedTagMap[block.type][0]; // start with <ol> or <ul> nestLevel.unshift(block.type); } // end tag with </ol> or </ul>: deal with ordered/unordered list item if (nestLevel.length > 0 && nestLevel[0] !== block.type) { html += nestedTagMap[nestLevel.shift()][1]; // close with </ol> or </ul> } html += _convertInlineStyle(block, entityMap, blockTagMap, entityTagMap); }); // end tag with </ol> or </ul>: or if it is the last block if (blocks.length > 0 && nestedTagMap[blocks[blocks.length - 1].type]) { html += nestedTagMap[nestLevel.shift()][1]; // close with </ol> or </ul> } return html; } function convertBlocksToApiData (blocks, entityMap, entityTagMap) { let apiDataArr = List(); let content = []; let nestLevel = []; blocks.forEach((block) => { // block is not a list-item if (!nestedTagMap[block.type]) { // if previous block is a list-item if (content.length > 0 && nestLevel.length > 0) { apiDataArr = apiDataArr.push(new ApiDataInstance({ type: nestLevel[0], content: content })); content = []; nestLevel.shift(); } if (block.type.startsWith('atomic') || block.type.startsWith('media')) { apiDataArr = apiDataArr.push(AtomicBlockProcessor.convertBlock(entityMap, block)); } else { let converted = InlineStylesProcessor.convertToHtml(inlineTagMap, entityTagMap, entityMap, block); let type = block.type; // special case for block containing annotation entity // set this block type as annotation if (converted.indexOf(annotationIndicatorPrefix) > -1) { type = ENTITY.ANNOTATION.type.toLowerCase(); } apiDataArr = apiDataArr.push(new ApiDataInstance({ id: block.key, type: type, content: [converted] })); } } else { let converted = InlineStylesProcessor.convertToHtml(inlineTagMap, entityTagMap, entityMap, block); // previous block is not an item-list block if (nestLevel.length === 0) { nestLevel.unshift(block.type); content.push(converted); } else if (nestLevel[0] === block.type) { // previous block is a item-list and current block is the same item-list content.push(converted); } else if (nestLevel[0] !== block.type) { // previous block is a different item-list. apiDataArr = apiDataArr.push(new ApiDataInstance({ id: block.key, type: nestLevel[0], content: content })); content = [converted]; nestLevel[0] = block.type; } } }); // last block is a item-list if (blocks.length > 0 && nestLevel.length > 0) { let block = blocks[blocks.length - 1]; apiDataArr = apiDataArr.push(new ApiDataInstance({ id: block.key, type: block.type, content: content })); } return apiDataArr; } function convertRawToHtml (raw, blockTagMap, entityTagMap) { blockTagMap = _.merge({}, defaultBlockTagMap, blockTagMap); entityTagMap = entityTagMap || defaultEntityTagMap; let html = ''; raw = raw || {}; const blocks = Array.isArray(raw.blocks) ? raw.blocks : []; const entityMap = typeof raw.entityMap === 'object' ? raw.entityMap : {}; html = _convertBlocksToHtml(blocks, entityMap, blockTagMap, entityTagMap); return html; } function convertRawToApiData (raw) { let apiData; raw = raw || {}; const blocks = Array.isArray(raw.blocks) ? raw.blocks : []; const entityMap = typeof raw.entityMap === 'object' ? raw.entityMap : {}; let entityTagMap = _.merge({}, defaultEntityTagMap, { // special handling for annotation entity // annotation entity data will be included in the speical comment. [ENTITY.ANNOTATION.type]: [`<!--${annotationIndicatorPrefix}<%= JSON.stringify(data) %>--><!--`, '-->'], }); apiData = convertBlocksToApiData(blocks, entityMap, entityTagMap); return apiData; } export default { convertToHtml: convertRawToHtml, convertToApiData: convertRawToApiData, };
nickhsine/keystone
fields/types/html/editor/draft-converter.js
JavaScript
mit
7,620
db_config = YAML.load(File.read(ROOT_DIR + '/../config/database.yaml'))['production'] ActiveRecord::Base.establish_connection(db_config) class Node < ActiveRecord::Base has_many :cidrs has_one :limit def flow_id self.id + 10 end def mark_in $config['iptables']['mark_prefix_in'] + "%04d" % self.id end def mark_out $config['iptables']['mark_prefix_out'] + "%04d" % self.id end end class Cidr < ActiveRecord::Base belongs_to :node end class Limit < ActiveRecord::Base belongs_to :node end
pawelsawicki/onoclea-qos
webapp/lib/database.rb
Ruby
mit
527
using System; using System.Runtime.InteropServices; using System.Text; namespace CSharpGL { public partial class GL { #region OpenGL 2.0 // Constants ///// <summary> ///// ///// </summary> //public const uint GL_BLEND_EQUATION_RGB = 0x8009; ///// <summary> ///// ///// </summary> //public const uint GL_VERTEX_ATTRIB_ARRAY_ENABLED = 0x8622; ///// <summary> ///// ///// </summary> //public const uint GL_VERTEX_ATTRIB_ARRAY_SIZE = 0x8623; ///// <summary> ///// ///// </summary> //public const uint GL_VERTEX_ATTRIB_ARRAY_STRIDE = 0x8624; ///// <summary> ///// ///// </summary> //public const uint GL_VERTEX_ATTRIB_ARRAY_TYPE = 0x8625; ///// <summary> ///// ///// </summary> //public const uint GL_CURRENT_VERTEX_ATTRIB = 0x8626; /// <summary> /// /// </summary> public const uint GL_VERTEX_PROGRAM_POINT_SIZE = 0x8642; ///// <summary> ///// ///// </summary> //public const uint GL_VERTEX_ATTRIB_ARRAY_POINTER = 0x8645; ///// <summary> ///// ///// </summary> //public const uint GL_STENCIL_BACK_FUNC = 0x8800; ///// <summary> ///// ///// </summary> //public const uint GL_STENCIL_BACK_FAIL = 0x8801; ///// <summary> ///// ///// </summary> //public const uint GL_STENCIL_BACK_PASS_DEPTH_FAIL = 0x8802; ///// <summary> ///// ///// </summary> //public const uint GL_STENCIL_BACK_PASS_DEPTH_PASS = 0x8803; ///// <summary> ///// ///// </summary> //public const uint GL_MAX_DRAW_BUFFERS = 0x8824; ///// <summary> ///// ///// </summary> //public const uint GL_DRAW_BUFFER0 = 0x8825; ///// <summary> ///// ///// </summary> //public const uint GL_DRAW_BUFFER1 = 0x8826; ///// <summary> ///// ///// </summary> //public const uint GL_DRAW_BUFFER2 = 0x8827; ///// <summary> ///// ///// </summary> //public const uint GL_DRAW_BUFFER3 = 0x8828; ///// <summary> ///// ///// </summary> //public const uint GL_DRAW_BUFFER4 = 0x8829; ///// <summary> ///// ///// </summary> //public const uint GL_DRAW_BUFFER5 = 0x882A; ///// <summary> ///// ///// </summary> //public const uint GL_DRAW_BUFFER6 = 0x882B; ///// <summary> ///// ///// </summary> //public const uint GL_DRAW_BUFFER7 = 0x882C; ///// <summary> ///// ///// </summary> //public const uint GL_DRAW_BUFFER8 = 0x882D; ///// <summary> ///// ///// </summary> //public const uint GL_DRAW_BUFFER9 = 0x882E; ///// <summary> ///// ///// </summary> //public const uint GL_DRAW_BUFFER10 = 0x882F; ///// <summary> ///// ///// </summary> //public const uint GL_DRAW_BUFFER11 = 0x8830; ///// <summary> ///// ///// </summary> //public const uint GL_DRAW_BUFFER12 = 0x8831; ///// <summary> ///// ///// </summary> //public const uint GL_DRAW_BUFFER13 = 0x8832; ///// <summary> ///// ///// </summary> //public const uint GL_DRAW_BUFFER14 = 0x8833; ///// <summary> ///// ///// </summary> //public const uint GL_DRAW_BUFFER15 = 0x8834; ///// <summary> ///// ///// </summary> //public const uint GL_BLEND_EQUATION_ALPHA = 0x883D; ///// <summary> ///// ///// </summary> //public const uint GL_MAX_VERTEX_ATTRIBS = 0x8869; ///// <summary> ///// ///// </summary> //public const uint GL_VERTEX_ATTRIB_ARRAY_NORMALIZED = 0x886A; ///// <summary> ///// ///// </summary> //public const uint GL_MAX_TEXTURE_IMAGE_UNITS = 0x8872; /// <summary> /// /// </summary> public const uint GL_FRAGMENT_SHADER = 0x8B30; /// <summary> /// /// </summary> public const uint GL_VERTEX_SHADER = 0x8B31; /// <summary> /// /// </summary> public const uint GL_TESS_CONTROL_SHADER = 0x8E88; /// <summary> /// /// </summary> public const uint GL_TESS_EVALUATION_SHADER = 0x8E87; /// <summary> /// /// </summary> public const uint GL_MAX_FRAGMENT_UNIFORM_COMPONENTS = 0x8B49; /// <summary> /// /// </summary> public const uint GL_MAX_VERTEX_UNIFORM_COMPONENTS = 0x8B4A; /// <summary> /// /// </summary> public const uint GL_MAX_VARYING_FLOATS = 0x8B4B; /// <summary> /// /// </summary> public const uint GL_MAX_VERTEX_TEXTURE_IMAGE_UNITS = 0x8B4C; /// <summary> /// /// </summary> public const uint GL_MAX_COMBINED_TEXTURE_IMAGE_UNITS = 0x8B4D; /// <summary> /// /// </summary> public const uint GL_SHADER_TYPE = 0x8B4F; /// <summary> /// /// </summary> public const uint GL_FLOAT_VEC2 = 0x8B50; /// <summary> /// /// </summary> public const uint GL_FLOAT_VEC3 = 0x8B51; /// <summary> /// /// </summary> public const uint GL_FLOAT_VEC4 = 0x8B52; /// <summary> /// /// </summary> public const uint GL_INT_VEC2 = 0x8B53; /// <summary> /// /// </summary> public const uint GL_INT_VEC3 = 0x8B54; /// <summary> /// /// </summary> public const uint GL_INT_VEC4 = 0x8B55; /// <summary> /// /// </summary> public const uint GL_BOOL = 0x8B56; /// <summary> /// /// </summary> public const uint GL_BOOL_VEC2 = 0x8B57; /// <summary> /// /// </summary> public const uint GL_BOOL_VEC3 = 0x8B58; /// <summary> /// /// </summary> public const uint GL_BOOL_VEC4 = 0x8B59; /// <summary> /// /// </summary> public const uint GL_FLOAT_MAT2 = 0x8B5A; /// <summary> /// /// </summary> public const uint GL_FLOAT_MAT3 = 0x8B5B; /// <summary> /// /// </summary> public const uint GL_FLOAT_MAT4 = 0x8B5C; /// <summary> /// /// </summary> public const uint GL_SAMPLER_1D = 0x8B5D; /// <summary> /// /// </summary> public const uint GL_SAMPLER_2D = 0x8B5E; /// <summary> /// /// </summary> public const uint GL_SAMPLER_3D = 0x8B5F; /// <summary> /// /// </summary> public const uint GL_SAMPLER_CUBE = 0x8B60; /// <summary> /// /// </summary> public const uint GL_SAMPLER_1D_SHADOW = 0x8B61; /// <summary> /// /// </summary> public const uint GL_SAMPLER_2D_SHADOW = 0x8B62; /// <summary> /// /// </summary> public const uint GL_DELETE_STATUS = 0x8B80; /// <summary> /// /// </summary> public const uint GL_COMPILE_STATUS = 0x8B81; /// <summary> /// /// </summary> public const uint GL_LINK_STATUS = 0x8B82; /// <summary> /// /// </summary> public const uint GL_VALIDATE_STATUS = 0x8B83; /// <summary> /// /// </summary> public const uint GL_INFO_LOG_LENGTH = 0x8B84; /// <summary> /// /// </summary> public const uint GL_ATTACHED_SHADERS = 0x8B85; /// <summary> /// /// </summary> public const uint GL_ACTIVE_UNIFORMS = 0x8B86; /// <summary> /// /// </summary> public const uint GL_ACTIVE_UNIFORM_MAX_LENGTH = 0x8B87; /// <summary> /// /// </summary> public const uint GL_SHADER_SOURCE_LENGTH = 0x8B88; /// <summary> /// /// </summary> public const uint GL_ACTIVE_ATTRIBUTES = 0x8B89; /// <summary> /// /// </summary> public const uint GL_ACTIVE_ATTRIBUTE_MAX_LENGTH = 0x8B8A; /// <summary> /// /// </summary> public const uint GL_FRAGMENT_SHADER_DERIVATIVE_HINT = 0x8B8B; /// <summary> /// /// </summary> public const uint GL_SHADING_LANGUAGE_VERSION = 0x8B8C; /// <summary> /// /// </summary> public const uint GL_CURRENT_PROGRAM = 0x8B8D; /// <summary> /// /// </summary> public const uint GL_POINT_SPRITE_COORD_ORIGIN = 0x8CA0; /// <summary> /// /// </summary> public const uint GL_LOWER_LEFT = 0x8CA1; /// <summary> /// /// </summary> public const uint GL_UPPER_LEFT = 0x8CA2; /// <summary> /// /// </summary> public const uint GL_STENCIL_BACK_REF = 0x8CA3; /// <summary> /// /// </summary> public const uint GL_STENCIL_BACK_VALUE_MASK = 0x8CA4; /// <summary> /// /// </summary> public const uint GL_STENCIL_BACK_WRITEMASK = 0x8CA5; #endregion OpenGL 2.0 } }
bitzhuwei/CSharpGL
CSharpGL/GLAPI/GL.Constants/GL.2.0.Consts.cs
C#
mit
9,798
package ch.hesso.master.caldynam; import android.app.Fragment; import android.app.FragmentManager; import android.app.FragmentTransaction; import android.graphics.Outline; import android.os.Bundle; import android.support.v4.widget.DrawerLayout; import android.support.v7.app.ActionBarActivity; import android.support.v7.widget.Toolbar; import android.util.Log; import android.view.LayoutInflater; import android.view.Menu; import android.view.MenuItem; import android.view.View; import android.view.ViewGroup; import android.view.ViewOutlineProvider; import android.view.animation.Animation; import android.view.animation.Transformation; import android.widget.Toast; import ch.hesso.master.caldynam.ui.fragment.FoodAddFragment; import ch.hesso.master.caldynam.ui.fragment.FoodCatalogFragment; import ch.hesso.master.caldynam.ui.fragment.FoodViewFragment; import ch.hesso.master.caldynam.ui.fragment.LoggingFragment; import ch.hesso.master.caldynam.ui.fragment.NavigationDrawerFragment; import ch.hesso.master.caldynam.ui.fragment.SummaryFragment; import ch.hesso.master.caldynam.ui.fragment.WeightMeasurementFragment; import me.drakeet.materialdialog.MaterialDialog; public class MainActivity extends ActionBarActivity implements NavigationDrawerFragment.NavigationDrawerCallbacks, SummaryFragment.OnFragmentInteractionListener, WeightMeasurementFragment.OnFragmentInteractionListener, LoggingFragment.OnFragmentInteractionListener, FoodCatalogFragment.OnFragmentInteractionListener, FoodAddFragment.OnFragmentInteractionListener, FoodViewFragment.OnFragmentInteractionListener { private Fragment fragment = null; /** * Fragment managing the behaviors, interactions and presentation of the navigation drawer. */ private NavigationDrawerFragment mNavigationDrawerFragment; /** * Used to store the last screen title. For use in {@link #updateToolbar()}. */ private CharSequence mTitle; private Toolbar mToolbar; private View mFabButton; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.activity_main); // Handle Toolbar mToolbar = (Toolbar) findViewById(R.id.toolbar); setSupportActionBar(mToolbar); getSupportActionBar().setDisplayHomeAsUpEnabled(true); getSupportActionBar().setHomeButtonEnabled(true); // Handle different Drawer States :D // mDrawerLayout.setDrawerListener(mActionBarDrawerToggle); // Fab Button mFabButton = findViewById(R.id.fab_button); mFabButton.setOnClickListener(fabClickListener); mFabButton.setOutlineProvider(new ViewOutlineProvider() { @Override public void getOutline(View view, Outline outline) { int size = getResources().getDimensionPixelSize(R.dimen.fab_size); outline.setOval(0, 0, size, size); } }); mNavigationDrawerFragment = (NavigationDrawerFragment) getFragmentManager().findFragmentById(R.id.navigation_drawer); mNavigationDrawerFragment.setUp( R.id.navigation_drawer, (DrawerLayout) findViewById(R.id.drawer_layout) ); updateToolbar(); mTitle = getTitle(); } @Override public void onNavigationDrawerItemSelected(int position) { switch (position) { case 0: fragment = SummaryFragment.newInstance(); break; case 1: fragment = WeightMeasurementFragment.newInstance(); break; case 2: fragment = LoggingFragment.newInstance(); break; case 3: fragment = FoodCatalogFragment.newInstance(); break; } getFragmentManager().popBackStack(null, FragmentManager.POP_BACK_STACK_INCLUSIVE); loadFragment(fragment, false); } View.OnClickListener fabClickListener = new View.OnClickListener() { @Override public void onClick(View view) { Toast.makeText(MainActivity.this, "New data", Toast.LENGTH_SHORT).show(); } }; public void onSectionAttached(int resourceId) { mTitle = (resourceId != 0) ? getString(resourceId) : null; } public void updateToolbar() { if (mTitle != null) { mToolbar.setTitle(mTitle); } resizeToolbar(mNavigationDrawerFragment.isToolbarLarge() ? 1.0f : 0.0f); mFabButton.setAlpha(mNavigationDrawerFragment.isFABVisible() ? 1.0f : 0.0f); } @Override public boolean onCreateOptionsMenu(Menu menu) { if (!mNavigationDrawerFragment.isDrawerOpen()) { // Only show items in the action bar relevant to this screen // if the drawer is not showing. Otherwise, let the drawer // decide what to show in the action bar. if (fragment != null) { fragment.onCreateOptionsMenu(menu, getMenuInflater()); } //getMenuInflater().inflate(R.menu.main, menu); updateToolbar(); return true; } return super.onCreateOptionsMenu(menu); } /** * Handle action bar item clicks here. The action bar will * automatically handle clicks on the Home/Up button, so long * as you specify a parent activity in AndroidManifest.xml. * * @param item * @return */ @Override public boolean onOptionsItemSelected(MenuItem item) { int id = item.getItemId(); fragment.onOptionsItemSelected(item); if (id == R.id.action_about) { showAboutDialog(); return true; } return super.onOptionsItemSelected(item); } @Override public void onBackPressed(){ FragmentManager fm = getFragmentManager(); if (fm.getBackStackEntryCount() > 0) { Log.d(Constants.PROJECT_NAME, "Popping backstack"); fm.popBackStackImmediate(); this.fragment = getActiveFragment(); } else { Log.d(Constants.PROJECT_NAME, "Nothing on backstack, calling super"); super.onBackPressed(); } } private void showAboutDialog() { View contentView = LayoutInflater.from(this) .inflate(R.layout.fragment_about_dialog, null); final MaterialDialog aboutDialog = new MaterialDialog(this); aboutDialog .setContentView(contentView) .setPositiveButton(getString(R.string.ok), new View.OnClickListener() { @Override public void onClick(View v) { aboutDialog.dismiss(); } }); aboutDialog.show(); } public Fragment getActiveFragment() { if (getFragmentManager().getBackStackEntryCount() == 0) { return null; } String tag = getFragmentManager() .getBackStackEntryAt(getFragmentManager().getBackStackEntryCount() - 1) .getName(); return getFragmentManager().findFragmentByTag(tag); } public void loadFragment(Fragment fragment) { loadFragment(fragment, true); } public void loadFragment(Fragment fragment, boolean addToBackStack) { this.fragment = fragment; String tag = fragment.getClass().getSimpleName(); final FragmentTransaction ft = getFragmentManager().beginTransaction(); ft.replace(R.id.container, this.fragment, tag); if (addToBackStack) { Log.d("Fragment", tag); ft.addToBackStack(tag); } ft.commit(); // Replace current menu with the fragment menu this.invalidateOptionsMenu(); } public void resizeToolbar(float offset) { float minSize = mToolbar.getMinimumHeight(); float maxSize = getResources().getDimension(R.dimen.toolbar_height_large); ViewGroup.LayoutParams layout = mToolbar.getLayoutParams(); layout.height = (int) (minSize + (maxSize - minSize) * offset); mToolbar.requestLayout(); } public View getAddButton() { return mFabButton; } /** * an animation for resizing the view. */ private class ResizeAnimation extends Animation { private View mView; private float mToHeight; private float mFromHeight; private float mToWidth; private float mFromWidth; public ResizeAnimation(View v, float fromWidth, float fromHeight, float toWidth, float toHeight) { mToHeight = toHeight; mToWidth = toWidth; mFromHeight = fromHeight; mFromWidth = fromWidth; mView = v; setDuration(300); } @Override protected void applyTransformation(float interpolatedTime, Transformation t) { float height = (mToHeight - mFromHeight) * interpolatedTime + mFromHeight; float width = (mToWidth - mFromWidth) * interpolatedTime + mFromWidth; ViewGroup.LayoutParams p = mView.getLayoutParams(); p.height = (int) height; p.width = (int) width; mView.requestLayout(); } } }
Chavjoh/CalDynam
app/src/main/java/ch/hesso/master/caldynam/MainActivity.java
Java
mit
9,388
# encoding: utf-8 class DocsController < ApplicationController get '/doc' do before_all haml :docs, :layout => :'layouts/main' end end
yedit/yedit
app/controllers/docs_controller.rb
Ruby
mit
152
#include <iostream> #include <string> #include <tuple> std::tuple<int,int> wczytaj_liczby(); int main () { std::string opcja; do { int a,b; std::cout << "wybierz opcje przeliczania" << std::endl; std::cout << "dodawanie, odejmowanie, mnozenie czy dzielenie?" << std::endl; std::cin >> opcja; if (opcja=="dodawanie"){ std::tie(a,b)=wczytaj_liczby(); std::cout << "wynik dodawania " << a+b << std::endl; } else if (opcja=="odejmowanie"){ std::tie(a,b)=wczytaj_liczby(); std::cout << "wynik odejmowania " << a-b << std::endl; } else if (opcja=="mnozenie"){ std::tie(a,b)=wczytaj_liczby(); std::cout << "wynik mnozenia " << a*b << std::endl; } else if (opcja=="dzielenie"){ std::tie(a,b)=wczytaj_liczby(); std::cout << "wynik dzielenia " << a/b << std::endl; } else std::cout << "nieznana opcja" << std::endl; } while(opcja!="koniec"); } std::tuple<int,int> wczytaj_liczby() { int a,b; std::cout << "podaj pierwsza liczbe" << std::endl; std::cin >> a; std::cout << "podaj druga liczbe" << std::endl; std::cin >> b; return std::make_tuple(a,b); }
mateka/cpp-school
calc1/Ekhem.cpp
C++
mit
1,120
// Code generated by protoc-gen-go. DO NOT EDIT. // source: google/ads/googleads/v2/resources/expanded_landing_page_view.proto package resources import ( fmt "fmt" math "math" proto "github.com/golang/protobuf/proto" wrappers "github.com/golang/protobuf/ptypes/wrappers" _ "google.golang.org/genproto/googleapis/api/annotations" ) // Reference imports to suppress errors if they are not otherwise used. var _ = proto.Marshal var _ = fmt.Errorf var _ = math.Inf // This is a compile-time assertion to ensure that this generated file // is compatible with the proto package it is being compiled against. // A compilation error at this line likely means your copy of the // proto package needs to be updated. const _ = proto.ProtoPackageIsVersion3 // please upgrade the proto package // A landing page view with metrics aggregated at the expanded final URL // level. type ExpandedLandingPageView struct { // The resource name of the expanded landing page view. // Expanded landing page view resource names have the form: // // `customers/{customer_id}/expandedLandingPageViews/{expanded_final_url_fingerprint}` ResourceName string `protobuf:"bytes,1,opt,name=resource_name,json=resourceName,proto3" json:"resource_name,omitempty"` // The final URL that clicks are directed to. ExpandedFinalUrl *wrappers.StringValue `protobuf:"bytes,2,opt,name=expanded_final_url,json=expandedFinalUrl,proto3" json:"expanded_final_url,omitempty"` XXX_NoUnkeyedLiteral struct{} `json:"-"` XXX_unrecognized []byte `json:"-"` XXX_sizecache int32 `json:"-"` } func (m *ExpandedLandingPageView) Reset() { *m = ExpandedLandingPageView{} } func (m *ExpandedLandingPageView) String() string { return proto.CompactTextString(m) } func (*ExpandedLandingPageView) ProtoMessage() {} func (*ExpandedLandingPageView) Descriptor() ([]byte, []int) { return fileDescriptor_f0d9f18d76cfc25b, []int{0} } func (m *ExpandedLandingPageView) XXX_Unmarshal(b []byte) error { return xxx_messageInfo_ExpandedLandingPageView.Unmarshal(m, b) } func (m *ExpandedLandingPageView) XXX_Marshal(b []byte, deterministic bool) ([]byte, error) { return xxx_messageInfo_ExpandedLandingPageView.Marshal(b, m, deterministic) } func (m *ExpandedLandingPageView) XXX_Merge(src proto.Message) { xxx_messageInfo_ExpandedLandingPageView.Merge(m, src) } func (m *ExpandedLandingPageView) XXX_Size() int { return xxx_messageInfo_ExpandedLandingPageView.Size(m) } func (m *ExpandedLandingPageView) XXX_DiscardUnknown() { xxx_messageInfo_ExpandedLandingPageView.DiscardUnknown(m) } var xxx_messageInfo_ExpandedLandingPageView proto.InternalMessageInfo func (m *ExpandedLandingPageView) GetResourceName() string { if m != nil { return m.ResourceName } return "" } func (m *ExpandedLandingPageView) GetExpandedFinalUrl() *wrappers.StringValue { if m != nil { return m.ExpandedFinalUrl } return nil } func init() { proto.RegisterType((*ExpandedLandingPageView)(nil), "google.ads.googleads.v2.resources.ExpandedLandingPageView") } func init() { proto.RegisterFile("google/ads/googleads/v2/resources/expanded_landing_page_view.proto", fileDescriptor_f0d9f18d76cfc25b) } var fileDescriptor_f0d9f18d76cfc25b = []byte{ // 342 bytes of a gzipped FileDescriptorProto 0x1f, 0x8b, 0x08, 0x00, 0x00, 0x00, 0x00, 0x00, 0x02, 0xff, 0x84, 0x91, 0xc1, 0x4a, 0xf3, 0x40, 0x14, 0x85, 0x49, 0x7e, 0xf8, 0xc1, 0xa8, 0x20, 0xd9, 0x58, 0x4a, 0x91, 0x56, 0x29, 0x74, 0x35, 0x81, 0xb8, 0x1b, 0x57, 0x29, 0x68, 0xa1, 0x88, 0x94, 0x8a, 0x59, 0x48, 0x20, 0xdc, 0x76, 0x6e, 0x87, 0x81, 0x74, 0x26, 0xcc, 0x24, 0xad, 0xaf, 0xa0, 0x8f, 0xe1, 0xd2, 0x47, 0xf1, 0x51, 0x7c, 0x0a, 0x49, 0x93, 0x99, 0x9d, 0xba, 0x3b, 0xcc, 0x9c, 0x73, 0xee, 0x77, 0xb9, 0xc1, 0x94, 0x2b, 0xc5, 0x0b, 0x8c, 0x80, 0x99, 0xa8, 0x95, 0x8d, 0xda, 0xc5, 0x91, 0x46, 0xa3, 0x6a, 0xbd, 0x46, 0x13, 0xe1, 0x4b, 0x09, 0x92, 0x21, 0xcb, 0x0b, 0x90, 0x4c, 0x48, 0x9e, 0x97, 0xc0, 0x31, 0xdf, 0x09, 0xdc, 0x93, 0x52, 0xab, 0x4a, 0x85, 0xa3, 0x36, 0x48, 0x80, 0x19, 0xe2, 0x3a, 0xc8, 0x2e, 0x26, 0xae, 0xa3, 0x7f, 0xd1, 0x8d, 0x39, 0x04, 0x56, 0xf5, 0x26, 0xda, 0x6b, 0x28, 0x4b, 0xd4, 0xa6, 0xad, 0xe8, 0x0f, 0x2c, 0x46, 0x29, 0x22, 0x90, 0x52, 0x55, 0x50, 0x09, 0x25, 0xbb, 0xdf, 0xcb, 0x37, 0x2f, 0x38, 0xbf, 0xed, 0x28, 0xee, 0x5b, 0x88, 0x05, 0x70, 0x4c, 0x05, 0xee, 0xc3, 0xab, 0xe0, 0xd4, 0x8e, 0xc9, 0x25, 0x6c, 0xb1, 0xe7, 0x0d, 0xbd, 0xc9, 0xd1, 0xf2, 0xc4, 0x3e, 0x3e, 0xc0, 0x16, 0xc3, 0x79, 0x10, 0xba, 0x2d, 0x36, 0x42, 0x42, 0x91, 0xd7, 0xba, 0xe8, 0xf9, 0x43, 0x6f, 0x72, 0x1c, 0x0f, 0x3a, 0x66, 0x62, 0xd9, 0xc8, 0x63, 0xa5, 0x85, 0xe4, 0x29, 0x14, 0x35, 0x2e, 0xcf, 0x6c, 0xee, 0xae, 0x89, 0x3d, 0xe9, 0x62, 0xfa, 0xea, 0x07, 0xe3, 0xb5, 0xda, 0x92, 0x3f, 0x97, 0x9e, 0x0e, 0x7e, 0x60, 0x5e, 0x34, 0x83, 0x16, 0xde, 0xf3, 0xbc, 0xab, 0xe0, 0xaa, 0x00, 0xc9, 0x89, 0xd2, 0x3c, 0xe2, 0x28, 0x0f, 0x18, 0xf6, 0x16, 0xa5, 0x30, 0xbf, 0x9c, 0xe6, 0xc6, 0xa9, 0x77, 0xff, 0xdf, 0x2c, 0x49, 0x3e, 0xfc, 0xd1, 0xac, 0xad, 0x4c, 0x98, 0x21, 0xad, 0x6c, 0x54, 0x1a, 0x93, 0xa5, 0x75, 0x7e, 0x5a, 0x4f, 0x96, 0x30, 0x93, 0x39, 0x4f, 0x96, 0xc6, 0x99, 0xf3, 0x7c, 0xf9, 0xe3, 0xf6, 0x83, 0xd2, 0x84, 0x19, 0x4a, 0x9d, 0x8b, 0xd2, 0x34, 0xa6, 0xd4, 0xf9, 0x56, 0xff, 0x0f, 0xb0, 0xd7, 0xdf, 0x01, 0x00, 0x00, 0xff, 0xff, 0x09, 0x2a, 0xe3, 0x32, 0x46, 0x02, 0x00, 0x00, }
pushbullet/engineer
vendor/google.golang.org/genproto/googleapis/ads/googleads/v2/resources/expanded_landing_page_view.pb.go
GO
mit
5,383
var log = require('./logger')('reporter', 'yellow'); var colors = require('colors'); /* eslint no-console: 0 */ module.exports = function(diff) { var keys = Object.keys(diff); var count = 0; var timer = log.timer('reporting'); if (keys.length === 0) { log('✔ no diff detected', 'green'); } else { log('✗ build doesn\'t match!', 'red'); console.log('\nREPORT\n' + colors.white.bgBlack(' [selector] ') + '\n [attribute] ' + '[actual] '.red + '[expected]'.green); keys.forEach(function(key) { var rules = Object.keys(diff[key]); console.log(colors.white.bgBlack('\n ' + key + ' ')); rules.forEach(function(rule) { count++; var expected = pretty(diff[key][rule].expected); var actual = pretty(diff[key][rule].actual); console.log(' ' + rule + ': ' + actual.red + ' ' + expected.green); }); }); } console.log(''); var c = count === 0 ? 'green' : 'red'; log('Broken rules: ' + count, c); log('Affected selectors: ' + keys.length, c); timer(); }; function pretty(val) { if (typeof val !== 'string') { val = JSON.stringify(val, null, 4); } return val; }
zeachco/css-specs
lib/reporter.js
JavaScript
mit
1,160
/** * The MIT License * Copyright (c) 2003 David G Jones * * 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. */ package info.dgjones.abora.white.edgeregion; import java.io.PrintWriter; import info.dgjones.abora.white.rcvr.Rcvr; import info.dgjones.abora.white.rcvr.Xmtr; import info.dgjones.abora.white.spaces.basic.Position; import info.dgjones.abora.white.xpp.basic.Heaper; /** * Clients of EdgeManager define concrete subclasses of this, which are then used by the * EdgeManager code */ public abstract class TransitionEdge extends Heaper { /* udanax-top.st:63348: Heaper subclass: #TransitionEdge instanceVariableNames: '' classVariableNames: '' poolDictionaries: '' category: 'Xanadu-EdgeRegion'! */ /* udanax-top.st:63352: TransitionEdge comment: 'Clients of EdgeManager define concrete subclasses of this, which are then used by the EdgeManager code'! */ /* udanax-top.st:63354: (TransitionEdge getOrMakeCxxClassDescription) attributes: ((Set new) add: #DEFERRED; add: #COPY; yourself)! */ ///////////////////////////////////////////// // Constructors protected TransitionEdge() { super(); } public TransitionEdge ceiling(TransitionEdge other) { if (other.isGE(this)) { return other; } else { return this; } /* udanax-top.st:63359:TransitionEdge methodsFor: 'accessing'! {TransitionEdge} ceiling: other {TransitionEdge} (other isGE: self) ifTrue: [^other] ifFalse: [^self]! */ } public TransitionEdge floor(TransitionEdge other) { if (isGE(other)) { return other; } else { return this; } /* udanax-top.st:63365:TransitionEdge methodsFor: 'accessing'! {TransitionEdge} floor: other {TransitionEdge} (self isGE: other) ifTrue: [^other] ifFalse: [^self]! */ } public int actualHashForEqual() { return System.identityHashCode(this); // return Heaper.takeOop(); /* udanax-top.st:63373:TransitionEdge methodsFor: 'testing'! {UInt32} actualHashForEqual ^Heaper takeOop! */ } /** * Whether the position is strictly less than this edge */ public abstract boolean follows(Position pos); /* udanax-top.st:63377:TransitionEdge methodsFor: 'testing'! {BooleanVar} follows: pos {Position} "Whether the position is strictly less than this edge" self subclassResponsibility! */ public abstract boolean isEqual(Heaper other); /* udanax-top.st:63382:TransitionEdge methodsFor: 'testing'! {BooleanVar} isEqual: other {Heaper} self subclassResponsibility! */ /** * Whether there is precisely one position between this edge and the next one */ public abstract boolean isFollowedBy(TransitionEdge next); /* udanax-top.st:63386:TransitionEdge methodsFor: 'testing'! {BooleanVar} isFollowedBy: next {TransitionEdge} "Whether there is precisely one position between this edge and the next one" self subclassResponsibility! */ /** * Defines a full ordering among all edges in a given CoordinateSpace */ public abstract boolean isGE(TransitionEdge other); /* udanax-top.st:63391:TransitionEdge methodsFor: 'testing'! {BooleanVar} isGE: other {TransitionEdge} "Defines a full ordering among all edges in a given CoordinateSpace" self subclassResponsibility! */ /** * Whether this edge touches the same position the other does */ public abstract boolean touches(TransitionEdge other); /* udanax-top.st:63396:TransitionEdge methodsFor: 'testing'! {BooleanVar} touches: other {TransitionEdge} "Whether this edge touches the same position the other does" self subclassResponsibility! */ /** * Print a description of this transition */ public abstract void printTransitionOn(PrintWriter oo, boolean entering, boolean touchesPrevious); /* udanax-top.st:63403:TransitionEdge methodsFor: 'printing'! {void} printTransitionOn: oo {ostream reference} with: entering {BooleanVar} with: touchesPrevious {BooleanVar} "Print a description of this transition" self subclassResponsibility! */ public TransitionEdge(Rcvr receiver) { super(receiver); /* udanax-top.st:63412:TransitionEdge methodsFor: 'generated:'! create.Rcvr: receiver {Rcvr} super create.Rcvr: receiver.! */ } public void sendSelfTo(Xmtr xmtr) { super.sendSelfTo(xmtr); /* udanax-top.st:63415:TransitionEdge methodsFor: 'generated:'! {void} sendSelfTo: xmtr {Xmtr} super sendSelfTo: xmtr.! */ } }
jonesd/abora-white
src/main/java/info/dgjones/abora/white/edgeregion/TransitionEdge.java
Java
mit
5,464
<?php namespace App\Repository; /** * ImageRepository * * This class was generated by the Doctrine ORM. Add your own custom * repository methods below. */ class ImageRepository extends \Doctrine\ORM\EntityRepository { }
Aluok/Recipes
Symfony/src/Repository/ImageRepository.php
PHP
mit
227
'use strict'; const moment = require('moment-timezone'); const mongoose = web.require('mongoose'); const Schema = mongoose.Schema, ObjectId = Schema.ObjectId; const OTHERS = {key: 'OTH', value: 'Others'}; module.exports = function({ modelName, displayName, cols, colMap = {}, enableDangerousClientFiltering = false, style, addPermission, editPermission, populate, // do you validations, extra save logic here // throw an error or handle it yourself by returning true beforeSave = (record, req, res)=>{}, beforeRender, afterSave, parentTemplate, shouldShowDeleteAction = true, shouldShowSaveButton = true, additionalSubmitButtons = [], handlers = {}, } = {}) { return { get: async function(req, res) { let queryModel = enableDangerousClientFiltering && req.query.model; let modelStr = modelName || queryModel; let recId = req.query._id; let isUpdateMode = recId; let isInsertMode = !isUpdateMode; let querySaveView = req.query.saveView; let queryDisplayName = displayName || req.query.displayName; let colIds = []; for (let col of cols || []) { if (web.objectUtils.isString(col)) { colIds.push(col); } else { colIds.push(col.id); colMap[col.id] = Object.assign({}, col, colMap[col.id]); } } let model = web.cms.dbedit.utils.searchModel(modelStr); // deep clone let modelAttr = model.getModelDictionary(); let modelSchema = modelAttr.schema; let filterCols = (colIds.length > 0 ? colIds : null) || (enableDangerousClientFiltering && req.query.filterCols && req.query.filterCols.split(',')) || Object.keys(modelSchema); for (let colId of filterCols) { if (!colMap[colId]) { colMap[colId] = {}; } } const readOnly = (enableDangerousClientFiltering && req.query.readOnly && req.query.readOnly.split(',')); let myShouldShowDeleteAction = shouldShowDeleteAction; if (enableDangerousClientFiltering && req.query.shouldShowDeleteAction) { myShouldShowDeleteAction = req.query.shouldShowDeleteAction === "Y"; } let myModelName = modelAttr.name; let modelDisplayName = queryDisplayName || modelAttr.displayName || modelAttr.name; parentTemplate = parentTemplate || web.cms.conf.adminTemplate; let redirectAfter = req.query._backUrl || ('/admin/dbedit/list' + (queryModel ? ('?model=' + encodeURIComponent(queryModel)) : '')); //can be optimized by avoiding query if there's no id let rec = {}; if (isUpdateMode) { let recProm = model.findOne({_id:recId}); if (populate) { recProm.populate(populate); } rec = await recProm.exec(); if (!rec) { req.flash('error', 'Record not found.'); res.redirect(redirectAfter); return; } } if (req.session.recCache && req.session.recCache[req.url]) { rec = req.session.recCache[req.url]; req.session.recCache[req.url] = null; } let pageTitle = null; if (isUpdateMode) { pageTitle = 'Update ' + modelDisplayName; } else { pageTitle = 'Create ' + modelDisplayName; } for (let colName in colMap) { let colMapObj = colMap[colName]; if (colMapObj.default && rec[colName] === undefined) { rec[colName] = colMapObj.default; } if (colMapObj.colSpan) { colMapObj.colSpanStr = '-' + colMapObj.colSpan.toString(); } if (colMapObj.inline) { colMapObj.inlineStr = " form-check-inline mr-2"; } if (colMapObj.hideLabel === true) { colMapObj._hideLabel = colMapObj.hideLabel; } else { colMapObj._hideLabel = false; } if (colMapObj.addOthers) { colMapObj._addOthers = Object.assign({ value: getVal(rec, colMapObj.addOthers.id), placeholder: 'If Others, please specify' }, colMapObj.addOthers); } if (colMapObj._addOthers) { colMapObj.inputValues.set(OTHERS.key, OTHERS.value) } handleModelSchemaForColObj(modelSchema, colName, colMap, rec) if (handlers[colName]) { colMapObj.htmlValue = await handlers[colName](rec, isUpdateMode, req); } handleColObjMultiple(colMapObj, colName, rec); if (colMapObj.inputValues && web.objectUtils.isFunction(colMapObj.inputValues)) { // need to do this to avoid the cache and overwriting the existing colMapObj.inputValuesFunc = colMapObj.inputValues; } if (colMapObj.inputValuesFunc) { colMapObj.inputValues = await colMapObj.inputValuesFunc(rec, req, isInsertMode); } colMapObj.readOnlyComputed = (readOnly && readOnly.indexOf(colName) !== -1) || (colMapObj.readOnly === 'U' && isUpdateMode) || (colMapObj.readOnly === 'I' && isInsertMode) || (web.objectUtils.isFunction(colMapObj.readOnly) && await colMapObj.readOnly(rec, req, isInsertMode)) || colMapObj.readOnly === true; colMapObj.visibleComputed = true; if (colMapObj.visible !== undefined) { colMapObj.visibleComputed = await colMapObj.visible(rec, req, isInsertMode); } if (colMapObj.header) { colMapObj.headerComputed = (web.objectUtils.isFunction(colMapObj.header) && await colMapObj.header(rec, req, isInsertMode)) || colMapObj.header; } let propsStrArr = []; colMapObj.props = colMapObj.props || {}; let inputType = colMapObj.inputType || colMapObj.props.type || 'text'; if (inputType === 'money') { inputType = 'number'; colMapObj.props.step = '0.01'; } switch (inputType) { case 'datetime': case 'date': case 'radio': case 'checkbox': case 'select': break; default: colMapObj.props.type = inputType; } for (let propName in colMapObj.props) { let propsValStr = colMapObj.props[propName] || ''; propsStrArr.push(`${propName}="${web.stringUtils.escapeHTML(propsValStr)}"`) } // TODO: unify all props later colMapObj._propsHtml = propsStrArr.join(' '); } let myShowSaveButton = true; if (isUpdateMode && shouldShowSaveButton !== undefined) { myShowSaveButton = (web.objectUtils.isFunction(shouldShowSaveButton) && await shouldShowSaveButton(rec, req, isInsertMode)) || shouldShowSaveButton === true; } for (let submitBtnObj of additionalSubmitButtons) { submitBtnObj.visibleComputed = true; if (submitBtnObj.visible) { submitBtnObj.visibleComputed = await submitBtnObj.visible(rec, req, isInsertMode); } } let fileBackUrl = encodeURIComponent(req.url); let options = { rec: rec, style: style, isUpdateMode: isUpdateMode, modelAttr: modelAttr, queryModelName: queryModel, pageTitle: pageTitle, redirectAfter: redirectAfter, fileBackUrl: fileBackUrl, colMap: colMap, parentTemplate: parentTemplate, filterCols: filterCols, shouldShowDeleteAction: myShouldShowDeleteAction, shouldShowSaveButton: myShowSaveButton, additionalSubmitButtons: additionalSubmitButtons, }; if (beforeRender) { await beforeRender(req, res, options); } let saveView = (enableDangerousClientFiltering && querySaveView) || web.cms.dbedit.conf.saveView; res.render(saveView, options); }, post: async function(req, res) { // TODO: proper error handling let queryModelName = enableDangerousClientFiltering && req.body.modelName; let myModelName = modelName || queryModelName || ''; let recId = req.body._id; if (recId == "") { recId = null; } let isInsertMode = !recId; if (isInsertMode) { if (addPermission && !req.user.hasPermission(addPermission)) { throw new Error("You don't have a permission to add this record."); } } else { if (editPermission && !req.user.hasPermission(editPermission)) { throw new Error("You don't have a permission to edit this record."); } } let model = web.models(myModelName); let rec = await save(recId, req, res, model, beforeSave, colMap, isInsertMode, queryModelName); if (!rec) { return; } if (afterSave && await afterSave(rec, req, res, isInsertMode)) { return; } let handled = false; for (let submitBtnObj of additionalSubmitButtons) { if (req.body.hasOwnProperty(submitBtnObj.actionName)) { handled = await submitBtnObj.handler(rec, req, res); } } if (!handled) { req.flash('info', 'Record saved.'); res.redirect(getRedirectAfter(rec, req, queryModelName)); } } } } async function save(recId, req, res, model, beforeSave, colMap, isInsertMode, queryModelName) { let rec = await model.findOne({_id:recId}); let modelAttr = model.getModelDictionary(); let modelSchema = modelAttr.schema; // TODO: use the col list to set one by one let attrToSet = Object.assign({}, req.body); const shouldSetProperTimezone = web.conf.timezone; for (let colName in modelAttr.schema) { if (attrToSet[colName] || attrToSet[colName] === "") { if (web.objectUtils.isArray(modelSchema[colName])) { attrToSet[colName] = web.ext.arrayUtils.removeDuplicateAndEmpty(attrToSet[colName]); } let dbCol = modelAttr.schema[colName]; if (shouldSetProperTimezone && dbCol.type == Date) { if (attrToSet[colName]) { let date = attrToSet[colName]; let dateFormat = 'MM/DD/YYYY'; if (colMap[colName] && colMap[colName].inputType === "datetime") { dateFormat = 'MM/DD/YYYY hh:mm A'; } if (!web.ext.dateTimeUtils.momentFromString(date, dateFormat).isValid()) { req.flash('error', `${colMap[colName].label} is an invalid date.`); res.redirect(req.url); return; } attrToSet[colName] = moment.tz(attrToSet[colName], dateFormat, web.conf.timezone).toDate(); } else if (attrToSet[colName] === "") { attrToSet[colName] = null; } } else if (dbCol.type == ObjectId) { if (attrToSet[colName] === "") { // for errors of casting empty string to object id attrToSet[colName] = null; } } } } if (!rec) { rec = new model(); attrToSet.createDt = new Date(); attrToSet.createBy = req.user._id; } delete attrToSet._id; attrToSet[web.cms.dbedit.conf.updateDtCol] = new Date(); attrToSet[web.cms.dbedit.conf.updateByCol] = req.user._id; rec.set(attrToSet); try { if (await beforeSave(rec, req, res, isInsertMode)) { return null; } } catch (ex) { console.error("beforeSave threw an error", ex); let errStr = ex.message || "Error on saving record."; req.flash('error', errStr); req.session.recCache[req.url] = req.body; res.redirect(req.url); return null; } if (web.ext && web.ext.dbUtils) { await web.ext.dbUtils.save(rec, req); } else { await rec.save(); } return rec; } function handleModelSchemaForColObj(modelSchema, colName, colMap, rec) { let colMapObj = colMap[colName]; if (modelSchema[colName]) { let attr = modelSchema[colName]; if (!colMap[colName]) { colMap[colName] = {}; } if (attr.default && rec[colName] === undefined) { // assign default values if non existing rec[colName] = attr.default; } colMapObj.required = colMapObj.required || attr.required; colMapObj.label = colMapObj.label == null ? attr.dbeditDisplay || web.cms.dbedit.utils.camelToTitle(colName) : colMapObj.label; } } function getRedirectAfter(rec, req, queryModelName) { let redirectAfter = 'save?_id=' + encodeURIComponent(rec._id.toString()); if (queryModelName) { redirectAfter += '&model=' + encodeURIComponent(queryModelName); } if (req.body._backUrl) { redirectAfter += '&_backUrl=' + encodeURIComponent(req.body._backUrl); } return redirectAfter; } function handleColObjMultiple(colMapObj, colName, rec) { colMapObj.multiple = colMapObj.multiple; if (colMapObj.multiple) { colMapObj.inputName = colName + '[]'; colMapObj._copies = colMapObj.copies; if (!colMapObj._copies) { if (colMapObj.inputType === 'checkbox') { colMapObj._copies = 1; } else { colMapObj._copies = 3; } } if (rec[colName] && rec[colName].length > colMapObj._copies && colMapObj.inputType !== 'checkbox') { colMapObj._copies = rec[colName].length; } } else { colMapObj.inputName = colName; colMapObj._copies = colMapObj._copies || 1; } } function getVal(recObj, key) { if (key.indexOf('.') == -1) { return recObj[key]; } else { return web.objectUtils.resolvePath(recObj, key); } }
mannyvergel/braziw-plugin-dbedit
utils/dbeditSaveController.js
JavaScript
mit
13,441
<?php declare(strict_types=1); namespace Y0lk\SQLDumper; use ArrayObject; use PDO; use InvalidArgumentException; /** * A TableDumperCollection is used to group TableDumper objects together, allowing you to specify dump options on multiple table at once. * All TableDumper methods can be called directly on a TableDumperCollection, and will be executed on all the TableDumper instances in that collection. * * @author Gabriel Jean <gabriel@inkrebit.com> */ class TableDumperCollection extends ArrayObject { /** * {@inheritDoc} */ public function append($value): void { //Make sure we're adding a TableDumper object if (!($value instanceof TableDumper)) { throw new InvalidArgumentException("TableDumperCollection only accepts TableDumper objects", 1); } //Append with table_name as key $this->offsetSet($value->getTable()->getName(), $value); } /** * {@inheritDoc} */ public function offsetSet($index, $newval): void { //Make sure we're adding a TableDumper object if (!($newval instanceof TableDumper)) { throw new InvalidArgumentException("TableDumperCollection only accepts TableDumper objects", 1); } //Append with table_name as key parent::offsetSet($newval->getTable()->getName(), $newval); } /** * @param Table|string $table Adds a table, either by name, or by Table instance, to the collection * * @return TableDumper Returns a TableDumper of the table that was just added */ public function addTable($table): TableDumper { if ($table instanceof Table) { $tableName = $table->getName(); } else { $tableName = $table; $table = new Table($tableName); } //First check if a dumper already exists for this table if (!$this->offsetExists($tableName)) { //Create new one $this->offsetSet($tableName, new TableDumper($table)); } return $this->offsetGet($tableName); } /** * @param TableDumperCollection|array<TableDumper|Table|string> $listTables Adds a list of tables, either by passing TableDumperCollection, or an array containing either TableDumper objects, Table objects or table naes * * @return TableDumperCollection Returns a TableDumperCollection of the list of tables that was just added */ public function addListTables($listTables): TableDumperCollection { //If arg is a TableDumperCollection, merge into this one if ($listTables instanceof TableDumperCollection) { foreach ($listTables as $table) { $this->append($table); } return $listTables; } else { return $this->addListTableArray($listTables); } } /** * Adds a list of tables passed as an array * @param array $listTables Array of tables to add * * @return TableDumperCollection Returns a TableDumperCollection of the list of tables that was just added */ protected function addListTableArray(array $listTables): TableDumperCollection { //Create TableDumperCollection $listDumpers = new TableDumperCollection; foreach ($listTables as $table) { //If table is already a Dumper, simply append to this if ($table instanceof TableDumper) { $listDumpers[] = $table; $this->append($table); } else { $listDumpers[] = $this->addTable($table); } } return $listDumpers; } /** * Writes all DROP statements to the dump stream * * @param resource $stream Stream to write the dump to * * @return void */ public function dumpDropStatements($stream): void { foreach ($this as $dumper) { if ($dumper->hasDrop()) { $dumper->dumpDropStatement($stream); } } } /** * Writes all INSERT statements to the dump stream * * @param PDO $db PDO instance to use for DB queries * @param resource $stream Stream to write the dump to * * @return void */ public function dumpInsertStatements(PDO $db, $stream): void { foreach ($this as $dumper) { if ($dumper->hasData()) { $dumper->dumpInsertStatement($db, $stream); } } } /** * Writes all the SQL statements of this dumper to the dump stream * * @param PDO $db PDO instance to use for DB queries * @param resource $stream Stream to write the dump to * @param boolean $groupDrops Determines if DROP statements will be grouped * @param boolean $groupInserts Determines if INSERT statements will be grouped * * @return void */ public function dump(PDO $db, $stream, bool $groupDrops = false, bool $groupInserts = false): void { if ($groupDrops) { $this->dumpDropStatements($stream); } foreach ($this as $dumper) { if (!$groupDrops) { $dumper->dumpDropStatement($stream); } $dumper->dumpCreateStatement($db, $stream); if (!$groupInserts) { $dumper->dumpInsertStatement($db, $stream); } } if ($groupInserts) { $this->dumpInsertStatements($db, $stream); } } public function __call(string $name, array $arguments) { //Call methods on TableDumper values foreach ($this as $value) { call_user_func_array([$value, $name], $arguments); } return $this; } }
Y0lk/sqldumper
src/TableDumperCollection.php
PHP
mit
5,834
<?php namespace modules\admin\controllers; use vendor\Controller; class Option extends Controller { public function index() { echo $this->render('module.admin@views/option.php', ['mainTitle' => '站点设置']); } }
SyanH/minicms
modules/admin/controllers/Option.php
PHP
mit
224
/** * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for * license information. * * Code generated by Microsoft (R) AutoRest Code Generator. */ package com.microsoft.azure.management.resources.implementation; import com.microsoft.azure.management.resources.ResourceGroupProperties; import java.util.Map; import com.fasterxml.jackson.annotation.JsonProperty; /** * Resource group information. */ public class ResourceGroupInner { /** * The ID of the resource group. */ @JsonProperty(access = JsonProperty.Access.WRITE_ONLY) private String id; /** * The name of the resource group. */ private String name; /** * The properties property. */ private ResourceGroupProperties properties; /** * The location of the resource group. It cannot be changed after the * resource group has been created. It muct be one of the supported Azure * locations. */ @JsonProperty(required = true) private String location; /** * The ID of the resource that manages this resource group. */ private String managedBy; /** * The tags attached to the resource group. */ private Map<String, String> tags; /** * Get the id value. * * @return the id value */ public String id() { return this.id; } /** * Get the name value. * * @return the name value */ public String name() { return this.name; } /** * Set the name value. * * @param name the name value to set * @return the ResourceGroupInner object itself. */ public ResourceGroupInner withName(String name) { this.name = name; return this; } /** * Get the properties value. * * @return the properties value */ public ResourceGroupProperties properties() { return this.properties; } /** * Set the properties value. * * @param properties the properties value to set * @return the ResourceGroupInner object itself. */ public ResourceGroupInner withProperties(ResourceGroupProperties properties) { this.properties = properties; return this; } /** * Get the location value. * * @return the location value */ public String location() { return this.location; } /** * Set the location value. * * @param location the location value to set * @return the ResourceGroupInner object itself. */ public ResourceGroupInner withLocation(String location) { this.location = location; return this; } /** * Get the managedBy value. * * @return the managedBy value */ public String managedBy() { return this.managedBy; } /** * Set the managedBy value. * * @param managedBy the managedBy value to set * @return the ResourceGroupInner object itself. */ public ResourceGroupInner withManagedBy(String managedBy) { this.managedBy = managedBy; return this; } /** * Get the tags value. * * @return the tags value */ public Map<String, String> tags() { return this.tags; } /** * Set the tags value. * * @param tags the tags value to set * @return the ResourceGroupInner object itself. */ public ResourceGroupInner withTags(Map<String, String> tags) { this.tags = tags; return this; } }
pomortaz/azure-sdk-for-java
azure-mgmt-resources/src/main/java/com/microsoft/azure/management/resources/implementation/ResourceGroupInner.java
Java
mit
3,619
#include <net/http/CServer.hpp> namespace net { namespace http { CServer::CServer(void) : net::CServer(net::EProtocol::TCP) { } }}
raduionita/project-hermes
old/Net.Http.Server/src/net/http/CServer.cpp
C++
mit
144
require "spec_helper" require "tidy_i18n/duplicate_keys" describe "Finding duplicate translations" do def locale_file_paths(file_names) file_names.collect do |path| File.expand_path(File.join(File.dirname(__FILE__), "fixtures", path)) end end it "finds duplicate keys when the locale only has one file" do duplicate_keys = TidyI18n::DuplicateKeys.new("en", locale_file_paths(["en_with_duplicate_keys.yml"])) expect(duplicate_keys.locale).to eq("en") expect(duplicate_keys.all.size).to eq(2) first_key = duplicate_keys.all.first expect(first_key.name).to eq("a.b") expect(first_key.values).to eq(["b1", "b2"]) second_key = duplicate_keys.all[1] expect(second_key.name).to eq("d.f") expect(second_key.values).to eq(["f1", "f2"]) end it "finds duplicate keys when the locale is split has multiple files" do file_paths = locale_file_paths(["en_with_duplicate_keys.yml", "en_with_more_duplicates.yml"]) duplicate_keys = TidyI18n::DuplicateKeys.new("en", file_paths) expect(duplicate_keys.locale).to eq("en") duplicate_key_names = duplicate_keys.all.map(&:name) expect(duplicate_key_names).to contain_exactly("a.b", "d.f", "c", "d.e") end end
ericmeyer/tidy_i18n
spec/acceptance/finding_duplicate_keys_spec.rb
Ruby
mit
1,230
// // partial2js // Copyright (c) 2014 Dennis Sänger // Licensed under the MIT // http://opensource.org/licenses/MIT // "use strict"; var glob = require('glob-all'); var fs = require('fs'); var path = require('path'); var stream = require('stream'); var htmlmin = require('html-minifier').minify; var escape = require('js-string-escape'); var eol = require('os').EOL; function Partial2Js( opts ) { opts = opts || {}; var self = this; this.debug = !!opts.debug; this.patterns = []; this.files = []; this.contents = {}; this.uniqueFn = function( file ) { return file; }; var log = (function log() { if ( this.debug ) { console.log.apply( console, arguments ); } }).bind( this ); var find = (function() { this.files = glob.sync( this.patterns.slice( 0 )) || []; }).bind( this ); function cleanPatterns( patterns ) { return patterns.map(function( entry ) { return entry.replace(/\/\*+/g, ''); }); } function compare( patterns, a, b ) { return matchInPattern( patterns, a ) - matchInPattern( patterns, b ); } var sort = (function() { var clean = cleanPatterns( this.patterns ); this.files.sort(function( a, b ) { return compare( clean, a, b ); }); }).bind( this ); // // this function is not every functional ;) // Should use findIndex() [ES6] as soon as possible // function matchInPattern( patterns, entry ) { var res = patterns.length + 100; patterns.every(function( pattern, index ) { if ( entry.indexOf( pattern ) > -1 ) { res = index; return false; } return true; }); return res; } var unique = (function() { if ( typeof this.uniqueFn === 'function' && this.files && this.files.length ) { var obj = {}; this.files.forEach(function( file ) { var key = self.uniqueFn( file ); if ( !obj[key] ) { obj[key] = file; } }); this.files = obj; } }).bind( this ); var asString = (function( moduleName ) { var buffer = ''; buffer += '(function(window,document){' + eol; buffer += '"use strict";' + eol; buffer += 'angular.module("'+moduleName+'",[]).run(["$templateCache",function($templateCache){' + eol; for ( var k in this.contents ) { buffer += ' $templateCache.put("'+k+'","'+this.contents[k]+'");' + eol; } buffer += '}]);' + eol; buffer += '})(window,document);'; return buffer; }).bind( this ); var read = (function() { var id, path, stat; this.contents = {}; for( var k in this.files ) { id = k; path = this.files[k]; stat = fs.statSync( path ); if ( stat.isFile()) { log('read file:', path, '=>', id ); this.contents[id] = fs.readFileSync( path ); } } return this.contents; }).bind( this ); var asStream = function( string ) { var s = new stream.Readable(); s._read = function noop() {}; s.push( string ); s.push(null); return s; }; var minify = (function() { var opts = { collapseWhitespace: true, preserveLineBreaks: false, removeComments: true, removeRedundantAttributes: true, removeEmptyAttributes: false, keepClosingSlash: true, maxLineLength: 0, customAttrCollapse: /.+/, html5: true }; for ( var k in this.contents ) { this.contents[k] = escape(htmlmin( String(this.contents[k]), opts )); } }).bind( this ); this.add = function( pattern ) { this.patterns.push( pattern ); return this; }; this.not = function( pattern ) { this.patterns.push( '!'+pattern ); return this; }; this.folder = function( folder ) { if ( folder && String( folder ) === folder ) { folder = path.resolve( folder ) + '/**/*'; this.patterns.push( folder ); } return this; }; this.unique = function( fn ) { this.uniqueFn = fn; return this; }; this.stringify = function( moduleName ) { find(); sort(); unique(); read(); minify(); return asString( moduleName ); }; this.stream = function( moduleName ) { return asStream( this.stringify( moduleName ) ); }; } module.exports = function( opts ) { return new Partial2Js( opts ); };
ds82/partial2js
index.js
JavaScript
mit
4,307
<?php /* Cachekey: cache/stash_default/doctrine/doctrinenamespacecachekey[dc2_b1b70927f4ac11a36c774dc0f41356a4_]/ */ /* Type: array */ $loaded = true; $expiration = 1425255999; $data = array(); /* Child Type: integer */ $data['return'] = 1; /* Child Type: integer */ $data['createdOn'] = 1424843731;
imyuvii/concrete
application/files/cache/0fea6a13c52b4d47/25368f24b045ca84/38a865804f8fdcb6/57cd99682e939275/2ddb27c5cdf0b672/745d4c64665be841/6a8ae9bbe8c71756/ee7cd192ca4a73e0.php
PHP
mit
307
<?php class AsuransiForm extends CFormModel { public $stringNIM; public $arrayNIM; public function rules() { return array( array('stringNIM', 'required'), ); } public function attributeLabels() { return array( 'stringNIM' => Yii::t('app','NIM'), ); } protected function beforeValidate() { preg_match_all('([0-9]+)',$this->stringNIM,$nims); $this->arrayNIM = $nims[0]; return parent::beforeValidate(); } public function preview() { $criteria = new CDbCriteria; $criteria->addInCondition('nim',$this->arrayNIM); return new CActiveDataProvider('Mahasiswa', array( 'criteria'=>$criteria, 'pagination'=>array( 'pageSize'=>50 ), )); } public function lunasi() { $criteria = new CDbCriteria; $criteria->addInCondition('nim',$this->arrayNIM); foreach(Mahasiswa::model()->findAll($criteria) as $mahasiswa) { $mahasiswa->lunasiAsuransi(); } } }
ata/kkn
protected/models/AsuransiForm.php
PHP
mit
910
// Copyright (c) Tunnel Vision Laboratories, LLC. All Rights Reserved. // Licensed under the MIT License. See LICENSE in the project root for license information. #nullable disable namespace StyleCop.Analyzers.OrderingRules { using System; using System.Collections.Immutable; using Microsoft.CodeAnalysis; using Microsoft.CodeAnalysis.CSharp; using Microsoft.CodeAnalysis.CSharp.Syntax; using Microsoft.CodeAnalysis.Diagnostics; using StyleCop.Analyzers.Helpers; using StyleCop.Analyzers.Settings.ObjectModel; /// <summary> /// A constant field is placed beneath a non-constant field. /// </summary> /// <remarks> /// <para>A violation of this rule occurs when a constant field is placed beneath a non-constant field. Constants /// should be placed above fields to indicate that the two are fundamentally different types of elements with /// different considerations for the compiler, different naming requirements, etc.</para> /// </remarks> [DiagnosticAnalyzer(LanguageNames.CSharp)] internal class SA1203ConstantsMustAppearBeforeFields : DiagnosticAnalyzer { /// <summary> /// The ID for diagnostics produced by the <see cref="SA1203ConstantsMustAppearBeforeFields"/> analyzer. /// </summary> public const string DiagnosticId = "SA1203"; private const string HelpLink = "https://github.com/DotNetAnalyzers/StyleCopAnalyzers/blob/master/documentation/SA1203.md"; private static readonly LocalizableString Title = new LocalizableResourceString(nameof(OrderingResources.SA1203Title), OrderingResources.ResourceManager, typeof(OrderingResources)); private static readonly LocalizableString MessageFormat = new LocalizableResourceString(nameof(OrderingResources.SA1203MessageFormat), OrderingResources.ResourceManager, typeof(OrderingResources)); private static readonly LocalizableString Description = new LocalizableResourceString(nameof(OrderingResources.SA1203Description), OrderingResources.ResourceManager, typeof(OrderingResources)); private static readonly DiagnosticDescriptor Descriptor = new DiagnosticDescriptor(DiagnosticId, Title, MessageFormat, AnalyzerCategory.OrderingRules, DiagnosticSeverity.Warning, AnalyzerConstants.EnabledByDefault, Description, HelpLink); private static readonly ImmutableArray<SyntaxKind> TypeDeclarationKinds = ImmutableArray.Create(SyntaxKind.ClassDeclaration, SyntaxKind.StructDeclaration); private static readonly Action<SyntaxNodeAnalysisContext, StyleCopSettings> TypeDeclarationAction = HandleTypeDeclaration; /// <inheritdoc/> public override ImmutableArray<DiagnosticDescriptor> SupportedDiagnostics { get; } = ImmutableArray.Create(Descriptor); /// <inheritdoc/> public override void Initialize(AnalysisContext context) { context.ConfigureGeneratedCodeAnalysis(GeneratedCodeAnalysisFlags.None); context.EnableConcurrentExecution(); context.RegisterSyntaxNodeAction(TypeDeclarationAction, TypeDeclarationKinds); } private static void HandleTypeDeclaration(SyntaxNodeAnalysisContext context, StyleCopSettings settings) { var elementOrder = settings.OrderingRules.ElementOrder; int constantIndex = elementOrder.IndexOf(OrderingTrait.Constant); if (constantIndex < 0) { return; } var typeDeclaration = (TypeDeclarationSyntax)context.Node; var members = typeDeclaration.Members; var previousFieldConstant = true; var previousFieldStatic = false; var previousFieldReadonly = false; var previousAccessLevel = AccessLevel.NotSpecified; foreach (var member in members) { if (!(member is FieldDeclarationSyntax field)) { continue; } AccessLevel currentAccessLevel = MemberOrderHelper.GetAccessLevelForOrdering(field, field.Modifiers); bool currentFieldConstant = field.Modifiers.Any(SyntaxKind.ConstKeyword); bool currentFieldReadonly = currentFieldConstant || field.Modifiers.Any(SyntaxKind.ReadOnlyKeyword); bool currentFieldStatic = currentFieldConstant || field.Modifiers.Any(SyntaxKind.StaticKeyword); bool compareConst = true; for (int j = 0; compareConst && j < constantIndex; j++) { switch (elementOrder[j]) { case OrderingTrait.Accessibility: if (currentAccessLevel != previousAccessLevel) { compareConst = false; } continue; case OrderingTrait.Readonly: if (currentFieldReadonly != previousFieldReadonly) { compareConst = false; } continue; case OrderingTrait.Static: if (currentFieldStatic != previousFieldStatic) { compareConst = false; } continue; case OrderingTrait.Kind: // Only fields may be marked const, and all fields have the same kind. continue; case OrderingTrait.Constant: default: continue; } } if (compareConst) { if (!previousFieldConstant && currentFieldConstant) { context.ReportDiagnostic(Diagnostic.Create(Descriptor, NamedTypeHelpers.GetNameOrIdentifierLocation(member))); } } previousFieldConstant = currentFieldConstant; previousFieldReadonly = currentFieldReadonly; previousFieldStatic = currentFieldStatic; previousAccessLevel = currentAccessLevel; } } } }
DotNetAnalyzers/StyleCopAnalyzers
StyleCop.Analyzers/StyleCop.Analyzers/OrderingRules/SA1203ConstantsMustAppearBeforeFields.cs
C#
mit
6,370
var testLogin = function(){ var username = document.getElementById("username").value; var password = document.getElementById("password").value; alert("username="+username+" , password="+password); } window.onload = function (){ }
Xcoder1011/OC_StudyDemo
OC与JS互调/WebView-JS/WebView-JS/加载本地的js,html,css/js/test.js
JavaScript
mit
248
from __future__ import absolute_import, division, print_function, unicode_literals # Statsd client. Loosely based on the version by Steve Ivy <steveivy@gmail.com> import logging import random import socket import time from contextlib import contextmanager log = logging.getLogger(__name__) class StatsD(object): def __init__(self, host='localhost', port=8125, enabled=True, prefix=''): self.addr = None self.enabled = enabled if enabled: self.set_address(host, port) self.prefix = prefix self.udp_sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM) def set_address(self, host, port=8125): try: self.addr = (socket.gethostbyname(host), port) except socket.gaierror: self.addr = None self.enabled = False @contextmanager def timed(self, stat, sample_rate=1): log.debug('Entering timed context for %r' % (stat,)) start = time.time() yield duration = int((time.time() - start) * 1000) log.debug('Exiting timed context for %r' % (stat,)) self.timing(stat, duration, sample_rate) def timing(self, stats, time, sample_rate=1): """ Log timing information """ unit = 'ms' log.debug('%r took %s %s' % (stats, time, unit)) self.update_stats(stats, "%s|%s" % (time, unit), sample_rate) def increment(self, stats, sample_rate=1): """ Increments one or more stats counters """ self.update_stats(stats, 1, sample_rate) def decrement(self, stats, sample_rate=1): """ Decrements one or more stats counters """ self.update_stats(stats, -1, sample_rate) def update_stats(self, stats, delta=1, sampleRate=1): """ Updates one or more stats counters by arbitrary amounts """ if not self.enabled or self.addr is None: return if type(stats) is not list: stats = [stats] data = {} for stat in stats: data["%s%s" % (self.prefix, stat)] = "%s|c" % delta self.send(data, sampleRate) def send(self, data, sample_rate): sampled_data = {} if sample_rate < 1: if random.random() <= sample_rate: for stat, value in data.items(): sampled_data[stat] = "%s|@%s" % (value, sample_rate) else: sampled_data = data try: for stat, value in sampled_data.items(): self.udp_sock.sendto("%s:%s" % (stat, value), self.addr) except Exception as e: log.exception('Failed to send data to the server: %r', e) if __name__ == '__main__': sd = StatsD() for i in range(1, 100): sd.increment('test')
smarkets/smk_python_sdk
smarkets/statsd.py
Python
mit
2,824
// -------------------------------------------------------------------------------------------------------------------- // <copyright file="Profiler.cs" company="Kephas Software SRL"> // Copyright (c) Kephas Software SRL. All rights reserved. // Licensed under the MIT license. See LICENSE file in the project root for full license information. // </copyright> // <summary> // Provides operations for profiling the code. // </summary> // -------------------------------------------------------------------------------------------------------------------- namespace Kephas.Diagnostics { using System; using System.Diagnostics; using System.Runtime.CompilerServices; using System.Threading.Tasks; using Kephas.Logging; using Kephas.Operations; using Kephas.Threading.Tasks; /// <summary> /// Provides operations for profiling the code. /// </summary> public static class Profiler { /// <summary> /// Executes the action with a stopwatch, optionally logging the elapsed time at <see cref="LogLevel.Warning"/> level. /// </summary> /// <param name="action">The action.</param> /// <param name="logger">The logger.</param> /// <param name="memberName">Name of the member.</param> /// <returns> /// The elapsed time. /// </returns> public static IOperationResult WithWarningStopwatch( this Action action, ILogger? logger = null, [CallerMemberName] string? memberName = null) { return WithStopwatch(action, logger, LogLevel.Warning, memberName); } /// <summary> /// Executes the action with a stopwatch, optionally logging the elapsed time at <see cref="LogLevel.Warning"/> level. /// </summary> /// <typeparam name="T">The operation return type.</typeparam> /// <param name="action">The action.</param> /// <param name="logger">The logger.</param> /// <param name="memberName">Name of the member.</param> /// <returns> /// The elapsed time. /// </returns> public static IOperationResult<T> WithWarningStopwatch<T>( this Func<T> action, ILogger? logger = null, [CallerMemberName] string? memberName = null) { return WithStopwatch(action, logger, LogLevel.Warning, memberName); } /// <summary> /// Executes the action with a stopwatch, optionally logging the elapsed time at <see cref="LogLevel.Info"/> level. /// </summary> /// <param name="action">The action.</param> /// <param name="logger">The logger.</param> /// <param name="memberName">Name of the member.</param> /// <returns> /// The elapsed time. /// </returns> public static IOperationResult WithInfoStopwatch( this Action action, ILogger? logger = null, [CallerMemberName] string? memberName = null) { return WithStopwatch(action, logger, LogLevel.Info, memberName); } /// <summary> /// Executes the action with a stopwatch, optionally logging the elapsed time at <see cref="LogLevel.Info"/> level. /// </summary> /// <typeparam name="T">The operation return type.</typeparam> /// <param name="action">The action.</param> /// <param name="logger">The logger.</param> /// <param name="memberName">Name of the member.</param> /// <returns> /// The elapsed time. /// </returns> public static IOperationResult<T> WithInfoStopwatch<T>( this Func<T> action, ILogger? logger = null, [CallerMemberName] string? memberName = null) { return WithStopwatch(action, logger, LogLevel.Info, memberName); } /// <summary> /// Executes the action with a stopwatch, optionally logging the elapsed time at <see cref="LogLevel.Debug"/> level. /// </summary> /// <param name="action">The action.</param> /// <param name="logger">The logger.</param> /// <param name="memberName">Name of the member.</param> /// <returns> /// The elapsed time. /// </returns> public static IOperationResult WithDebugStopwatch( this Action action, ILogger? logger = null, [CallerMemberName] string? memberName = null) { return WithStopwatch(action, logger, LogLevel.Debug, memberName); } /// <summary> /// Executes the action with a stopwatch, optionally logging the elapsed time at <see cref="LogLevel.Debug"/> level. /// </summary> /// <typeparam name="T">The operation return type.</typeparam> /// <param name="action">The action.</param> /// <param name="logger">The logger.</param> /// <param name="memberName">Name of the member.</param> /// <returns> /// The elapsed time. /// </returns> public static IOperationResult<T> WithDebugStopwatch<T>( this Func<T> action, ILogger? logger = null, [CallerMemberName] string? memberName = null) { return WithStopwatch(action, logger, LogLevel.Debug, memberName); } /// <summary> /// Executes the action with a stopwatch, optionally logging the elapsed time at <see cref="LogLevel.Trace"/> level. /// </summary> /// <param name="action">The action.</param> /// <param name="logger">The logger.</param> /// <param name="memberName">Name of the member.</param> /// <returns> /// The elapsed time. /// </returns> public static IOperationResult WithTraceStopwatch( this Action action, ILogger? logger = null, [CallerMemberName] string? memberName = null) { return WithStopwatch(action, logger, LogLevel.Trace, memberName); } /// <summary> /// Executes the action with a stopwatch, optionally logging the elapsed time at <see cref="LogLevel.Trace"/> level. /// </summary> /// <typeparam name="T">The operation return type.</typeparam> /// <param name="action">The action.</param> /// <param name="logger">The logger.</param> /// <param name="memberName">Name of the member.</param> /// <returns> /// The elapsed time. /// </returns> public static IOperationResult<T> WithTraceStopwatch<T>( this Func<T> action, ILogger? logger = null, [CallerMemberName] string? memberName = null) { return WithStopwatch(action, logger, LogLevel.Trace, memberName); } /// <summary> /// Executes the action with a stopwatch, optionally logging the elapsed time at the indicated log level. /// </summary> /// <param name="action">The action.</param> /// <param name="logger">The logger.</param> /// <param name="logLevel">The log level.</param> /// <param name="memberName">Name of the member.</param> /// <returns> /// The elapsed time. /// </returns> public static IOperationResult WithStopwatch( this Action action, ILogger? logger = null, LogLevel logLevel = LogLevel.Debug, [CallerMemberName] string? memberName = null) { var result = new OperationResult(); if (action == null) { return result.MergeMessage($"No action provided for {memberName}."); } result.MergeMessage($"{memberName}. Started at: {DateTime.Now:s}."); logger?.Log(logLevel, "{operation}. Started at: {startedAt:s}.", memberName, DateTime.Now); var stopwatch = new Stopwatch(); stopwatch.Start(); action(); stopwatch.Stop(); result .MergeMessage($"{memberName}. Ended at: {DateTime.Now:s}. Elapsed: {stopwatch.Elapsed:c}.") .Complete(stopwatch.Elapsed); logger?.Log(logLevel, "{operation}. Ended at: {endedAt:s}. Elapsed: {elapsed:c}.", memberName, DateTime.Now, stopwatch.Elapsed); return result; } /// <summary> /// Executes the action with a stopwatch, optionally logging the elapsed time at the indicated /// log level. /// </summary> /// <typeparam name="T">The operation return type.</typeparam> /// <param name="action">The action.</param> /// <param name="logger">Optional. The logger.</param> /// <param name="logLevel">Optional. The log level.</param> /// <param name="memberName">Optional. Name of the member.</param> /// <returns> /// The elapsed time. /// </returns> public static IOperationResult<T> WithStopwatch<T>( this Func<T> action, ILogger? logger = null, LogLevel logLevel = LogLevel.Debug, [CallerMemberName] string? memberName = null) { var result = new OperationResult<T>(); if (action == null) { return result.MergeMessage($"No action provided for {memberName}."); } result.MergeMessage($"{memberName}. Started at: {DateTime.Now:s}."); logger?.Log(logLevel, "{operation}. Started at: {startedAt:s}.", memberName, DateTime.Now); var stopwatch = new Stopwatch(); stopwatch.Start(); result.Value = action(); stopwatch.Stop(); result .MergeMessage($"{memberName}. Ended at: {DateTime.Now:s}. Elapsed: {stopwatch.Elapsed:c}.") .Complete(stopwatch.Elapsed); logger?.Log(logLevel, "{operation}. Ended at: {endedAt:s}. Elapsed: {elapsed:c}.", memberName, DateTime.Now, stopwatch.Elapsed); return result; } /// <summary> /// Executes the action with a stopwatch for asynchronous actions, optionally logging the elapsed time at <see cref="LogLevel.Warning"/> level. /// </summary> /// <param name="action">The action.</param> /// <param name="logger">The logger.</param> /// <param name="memberName">Name of the member.</param> /// <returns> /// The elapsed time. /// </returns> public static Task<IOperationResult> WithWarningStopwatchAsync( this Func<Task> action, ILogger? logger = null, [CallerMemberName] string? memberName = null) { return WithStopwatchAsync(action, logger, LogLevel.Warning, memberName); } /// <summary> /// Executes the action with a stopwatch for asynchronous actions, optionally logging the elapsed time at <see cref="LogLevel.Warning"/> level. /// </summary> /// <typeparam name="T">The operation return type.</typeparam> /// <param name="action">The action.</param> /// <param name="logger">The logger.</param> /// <param name="memberName">Name of the member.</param> /// <returns> /// The elapsed time. /// </returns> public static Task<IOperationResult<T>> WithWarningStopwatchAsync<T>( this Func<Task<T>> action, ILogger? logger = null, [CallerMemberName] string? memberName = null) { return WithStopwatchAsync(action, logger, LogLevel.Warning, memberName); } /// <summary> /// Executes the action with a stopwatch for asynchronous actions, optionally logging the elapsed time at <see cref="LogLevel.Info"/> level. /// </summary> /// <param name="action">The action.</param> /// <param name="logger">The logger.</param> /// <param name="memberName">Name of the member.</param> /// <returns> /// The elapsed time. /// </returns> public static Task<IOperationResult> WithInfoStopwatchAsync( this Func<Task> action, ILogger? logger = null, [CallerMemberName] string? memberName = null) { return WithStopwatchAsync(action, logger, LogLevel.Info, memberName); } /// <summary> /// Executes the action with a stopwatch for asynchronous actions, optionally logging the elapsed time at <see cref="LogLevel.Info"/> level. /// </summary> /// <typeparam name="T">The operation return type.</typeparam> /// <param name="action">The action.</param> /// <param name="logger">The logger.</param> /// <param name="memberName">Name of the member.</param> /// <returns> /// The elapsed time. /// </returns> public static Task<IOperationResult<T>> WithInfoStopwatchAsync<T>( this Func<Task<T>> action, ILogger? logger = null, [CallerMemberName] string? memberName = null) { return WithStopwatchAsync(action, logger, LogLevel.Info, memberName); } /// <summary> /// Executes the action with a stopwatch for asynchronous actions, optionally logging the elapsed time at <see cref="LogLevel.Debug"/> level. /// </summary> /// <param name="action">The action.</param> /// <param name="logger">The logger.</param> /// <param name="memberName">Name of the member.</param> /// <returns> /// The elapsed time. /// </returns> public static Task<IOperationResult> WithDebugStopwatchAsync( this Func<Task> action, ILogger? logger = null, [CallerMemberName] string? memberName = null) { return WithStopwatchAsync(action, logger, LogLevel.Debug, memberName); } /// <summary> /// Executes the action with a stopwatch for asynchronous actions, optionally logging the elapsed time at <see cref="LogLevel.Debug"/> level. /// </summary> /// <typeparam name="T">The operation return type.</typeparam> /// <param name="action">The action.</param> /// <param name="logger">The logger.</param> /// <param name="memberName">Name of the member.</param> /// <returns> /// The elapsed time. /// </returns> public static Task<IOperationResult<T>> WithDebugStopwatchAsync<T>( this Func<Task<T>> action, ILogger? logger = null, [CallerMemberName] string? memberName = null) { return WithStopwatchAsync(action, logger, LogLevel.Debug, memberName); } /// <summary> /// Executes the action with a stopwatch for asynchronous actions, optionally logging the elapsed time at <see cref="LogLevel.Trace"/> level. /// </summary> /// <param name="action">The action.</param> /// <param name="logger">The logger.</param> /// <param name="memberName">Name of the member.</param> /// <returns> /// The elapsed time. /// </returns> public static Task<IOperationResult> WithTraceStopwatchAsync( this Func<Task> action, ILogger? logger = null, [CallerMemberName] string? memberName = null) { return WithStopwatchAsync(action, logger, LogLevel.Trace, memberName); } /// <summary> /// Executes the action with a stopwatch for asynchronous actions, optionally logging the elapsed time at <see cref="LogLevel.Trace"/> level. /// </summary> /// <typeparam name="T">The operation return type.</typeparam> /// <param name="action">The action.</param> /// <param name="logger">The logger.</param> /// <param name="memberName">Name of the member.</param> /// <returns> /// The elapsed time. /// </returns> public static Task<IOperationResult<T>> WithTraceStopwatchAsync<T>( this Func<Task<T>> action, ILogger? logger = null, [CallerMemberName] string? memberName = null) { return WithStopwatchAsync<T>(action, logger, LogLevel.Trace, memberName); } /// <summary> /// Executes the action with a stopwatch for asynchronous actions, optionally logging the elapsed time at the indicated log level. /// </summary> /// <param name="action">The action.</param> /// <param name="logger">The logger.</param> /// <param name="logLevel">The log level.</param> /// <param name="memberName">Name of the member.</param> /// <returns> /// The elapsed time. /// </returns> public static async Task<IOperationResult> WithStopwatchAsync( this Func<Task> action, ILogger? logger = null, LogLevel logLevel = LogLevel.Debug, [CallerMemberName] string? memberName = null) { var result = new OperationResult(); if (action == null) { return result.MergeMessage($"No action provided for {memberName}."); } result.MergeMessage($"{memberName}. Started at: {DateTime.Now:s}."); logger?.Log(logLevel, "{operation}. Started at: {startedAt:s}.", memberName, DateTime.Now); var stopwatch = new Stopwatch(); stopwatch.Start(); await action().PreserveThreadContext(); stopwatch.Stop(); result .MergeMessage($"{memberName}. Ended at: {DateTime.Now:s}. Elapsed: {stopwatch.Elapsed:c}.") .Complete(stopwatch.Elapsed); logger?.Log(logLevel, "{operation}. Ended at: {endedAt:s}. Elapsed: {elapsed:c}.", memberName, DateTime.Now, stopwatch.Elapsed); return result; } /// <summary> /// Executes the action with a stopwatch for asynchronous actions, optionally logging the elapsed /// time at the indicated log level. /// </summary> /// <typeparam name="T">The operation return type.</typeparam> /// <param name="action">The action.</param> /// <param name="logger">Optional. The logger.</param> /// <param name="logLevel">Optional. The log level.</param> /// <param name="memberName">Optional. Name of the member.</param> /// <returns> /// The elapsed time. /// </returns> public static async Task<IOperationResult<T>> WithStopwatchAsync<T>( this Func<Task<T>> action, ILogger? logger = null, LogLevel logLevel = LogLevel.Debug, [CallerMemberName] string? memberName = null) { var result = new OperationResult<T>(); if (action == null) { return result.MergeMessage($"No action provided for {memberName}."); } result.MergeMessage($"{memberName}. Started at: {DateTime.Now:s}."); logger?.Log(logLevel, "{operation}. Started at: {startedAt:s}.", memberName, DateTime.Now); var stopwatch = new Stopwatch(); stopwatch.Start(); result.Value = await action().PreserveThreadContext(); stopwatch.Stop(); result .MergeMessage($"{memberName}. Ended at: {DateTime.Now:s}. Elapsed: {stopwatch.Elapsed:c}.") .Complete(stopwatch.Elapsed); logger?.Log(logLevel, "{operation}. Ended at: {endedAt:s}. Elapsed: {elapsed:c}.", memberName, DateTime.Now, stopwatch.Elapsed); return result; } } }
quartz-software/kephas
src/Kephas.Core/Diagnostics/Profiler.cs
C#
mit
19,835
using System; using System.Collections.Generic; using System.Runtime.InteropServices; namespace Examples { class Program { [STAThread] static void Main(string[] args) { SolidEdgeFramework.Application application = null; SolidEdgePart.PartDocument partDocument = null; SolidEdgePart.Models models = null; SolidEdgePart.Model model = null; SolidEdgePart.RevolvedCutouts revolvedCutouts = null; SolidEdgePart.RevolvedCutout revolvedCutout = null; try { // See "Handling 'Application is Busy' and 'Call was Rejected By Callee' errors" topic. OleMessageFilter.Register(); // Attempt to connect to a running instance of Solid Edge. application = (SolidEdgeFramework.Application)Marshal.GetActiveObject("SolidEdge.Application"); partDocument = application.ActiveDocument as SolidEdgePart.PartDocument; if (partDocument != null) { models = partDocument.Models; model = models.Item(1); revolvedCutouts = model.RevolvedCutouts; for (int i = 1; i <= revolvedCutouts.Count; i++) { revolvedCutout = revolvedCutouts.Item(i); var topCap = (SolidEdgeGeometry.Face)revolvedCutout.TopCap; } } } catch (System.Exception ex) { Console.WriteLine(ex); } finally { OleMessageFilter.Unregister(); } } } }
SolidEdgeCommunity/docs
docfx_project/snippets/SolidEdgePart.RevolvedCutout.TopCap.cs
C#
mit
1,741
class MySessionsController < ApplicationController prepend_before_filter :stop_tracking, :only => [:destroy] def stop_tracking current_user.update_attributes(:current_sign_in_ip => nil) end end
jaylane/nycdispensary
app/controllers/my_sessions_controller.rb
Ruby
mit
206
using System.ComponentModel; namespace LinqAn.Google.Metrics { /// <summary> /// The total number of completions for the requested goal number. /// </summary> [Description("The total number of completions for the requested goal number.")] public class Goal19Completions: Metric<int> { /// <summary> /// Instantiates a <seealso cref="Goal19Completions" />. /// </summary> public Goal19Completions(): base("Goal 19 Completions",true,"ga:goal19Completions") { } } }
kenshinthebattosai/LinqAn.Google
src/LinqAn.Google/Metrics/Goal19Completions.cs
C#
mit
490
using Silk.NET.Input; using Silk.NET.Maths; using Silk.NET.Windowing; namespace WemkuhewhallYekaherehohurnije { class Program { private static IWindow _window; private static void Main(string[] args) { //Create a window. var options = WindowOptions.Default; options = new WindowOptions ( true, new Vector2D<int>(50, 50), new Vector2D<int>(1280, 720), 0.0, 0.0, new GraphicsAPI ( ContextAPI.OpenGL, ContextProfile.Core, ContextFlags.ForwardCompatible, new APIVersion(3, 3) ), "", WindowState.Normal, WindowBorder.Resizable, false, false, VideoMode.Default ); options.Size = new Vector2D<int>(800, 600); options.Title = "LearnOpenGL with Silk.NET"; _window = Window.Create(options); //Assign events. _window.Load += OnLoad; _window.Update += OnUpdate; _window.Render += OnRender; //Run the window. _window.Run(); } private static void OnLoad() { //Set-up input context. IInputContext input = _window.CreateInput(); for (int i = 0; i < input.Keyboards.Count; i++) { input.Keyboards[i].KeyDown += KeyDown; } } private static void OnRender(double obj) { //Here all rendering should be done. } private static void OnUpdate(double obj) { //Here all updates to the program should be done. } private static void KeyDown(IKeyboard arg1, Key arg2, int arg3) { //Check to close the window on escape. if (arg2 == Key.Escape) { _window.Close(); } } } }
lindexi/lindexi_gd
WemkuhewhallYekaherehohurnije/WemkuhewhallYekaherehohurnije/Program.cs
C#
mit
2,129
<?php namespace Libreame\BackendBundle\Helpers; use Libreame\BackendBundle\Controller\AccesoController; use Libreame\BackendBundle\Repository\ManejoDataRepository; use Libreame\BackendBundle\Entity\LbIdiomas; use Libreame\BackendBundle\Entity\LbUsuarios; use Libreame\BackendBundle\Entity\LbEjemplares; use Libreame\BackendBundle\Entity\LbSesiones; use Libreame\BackendBundle\Entity\LbEditoriales; use Libreame\BackendBundle\Entity\LbAutores; /** * Description of Feeds * * @author mramirez */ class GestionEjemplares { /* * feeds * Retorna la lista de todos los ejemplares nuevos cargados en la plataforma. * Solo a partir del ID que envía el cliente (Android), en adelante. * Por ahora solo tendrá Ejemplares, luego se evaluará si tambien se cargan TRATOS Cerrados / Ofertas realizadas */ public function buscarEjemplares(Solicitud $psolicitud) { /*setlocale (LC_TIME, "es_CO"); $fecha = new \DateTime;*/ $respuesta = new Respuesta(); $objLogica = $this->get('logica_service'); $usuario = new LbUsuarios(); $sesion = new LbSesiones(); $ejemplares = new LbEjemplares(); try { //Valida que la sesión corresponda y se encuentre activa $respSesionVali= ManejoDataRepository::validaSesionUsuario($psolicitud); //echo "<script>alert(' buscarEjemplares :: Validez de sesion ".$respSesionVali." ')</script>"; if ($respSesionVali==AccesoController::inULogged) { //echo "<script>alert(' buscaEjemplares :: FindAll ')</script>"; //Busca el usuario $usuario = ManejoDataRepository::getUsuarioByEmail($psolicitud->getEmail()); //$membresia= ManejoDataRepository::getMembresiasUsuario($usuario); //echo "<script>alert('MEM ".count($membresia)." regs ')</script>"; $grupo= ManejoDataRepository::getObjetoGruposUsuario($usuario); $arrGru = array(); foreach ($grupo as $gru){ $arrGru[] = $gru->getIngrupo(); } $ejemplares = ManejoDataRepository::getBuscarEjemplares($usuario, $arrGru, $psolicitud->getTextoBuscar()); //echo "Recuperó ejemplares...gestionejemplares:buscarEjemplares \n"; $respuesta->setRespuesta(AccesoController::inExitoso); //SE INACTIVA PORQUE PUEDE GENERAR UNA GRAN CANTIDAD DE REGISTROS EN UNA SOLA SESION //Busca y recupera el objeto de la sesion:: //$sesion = ManejoDataRepository::recuperaSesionUsuario($usuario,$psolicitud); //echo "<script>alert('La sesion es ".$sesion->getTxsesnumero()." ')</script>"; //Guarda la actividad de la sesion:: //ManejoDataRepository::generaActSesion($sesion,AccesoController::inDatoUno,"Recupera Feed de Ejemplares".$psolicitud->getEmail()." recuperados con éxito ",$psolicitud->getAccion(),$fecha,$fecha); //echo "<script>alert('Generó actividad de sesion ')</script>"; return $objLogica::generaRespuesta($respuesta, $psolicitud, $ejemplares); } else { $respuesta->setRespuesta($respSesionVali); $ejemplares = array(); return $objLogica::generaRespuesta($respuesta, $psolicitud, $ejemplares); } } catch (Exception $ex) { $respuesta->setRespuesta(AccesoController::inPlatCai); $ejemplares = array(); return $objLogica::generaRespuesta($respuesta, $psolicitud, $ejemplares); } } public function recuperarFeedEjemplares(Solicitud $psolicitud) { /* http://ex4read.co/services/web/img/p/1/1/11.jpg */ /*setlocale (LC_TIME, "es_CO"); $fecha = new \DateTime;*/ $respuesta = new Respuesta(); $objLogica = $this->get('logica_service'); $usuario = new LbUsuarios(); $sesion = new LbSesiones(); //$ejemplares = new LbEjemplares(); try { //Valida que la sesión corresponda y se encuentre activa $respSesionVali= ManejoDataRepository::validaSesionUsuario($psolicitud); //echo "<script>alert(' recuperarFeedEjemplares :: Validez de sesion ".$respSesionVali." ')</script>"; if ($respSesionVali==AccesoController::inULogged) { //echo "<script>alert(' recuperarFeedEjemplares :: FindAll ')</script>"; //Busca el usuario $usuario = ManejoDataRepository::getUsuarioByEmail($psolicitud->getEmail()); //$membresia= ManejoDataRepository::getMembresiasUsuario($usuario); //echo "<script>alert('MEM ".count($membresia)." regs ')</script>"; $grupo= ManejoDataRepository::getObjetoGruposUsuario($usuario); $arrGru = array(); foreach ($grupo as $gru){ $arrGru[] = $gru->getIngrupo(); } $ejemplares = ManejoDataRepository::getEjemplaresDisponibles($arrGru, $psolicitud->getUltEjemplar()); //echo "Imagen ".$ejemplares; $respuesta->setRespuesta(AccesoController::inExitoso); //SE INACTIVA PORQUE PUEDE GENERAR UNA GRAN CANTIDAD DE REGISTROS EN UNA SOLA SESION //Busca y recupera el objeto de la sesion:: //$sesion = ManejoDataRepository::recuperaSesionUsuario($usuario,$psolicitud); //echo "<script>alert('La sesion es ".$sesion->getTxsesnumero()." ')</script>"; //Guarda la actividad de la sesion:: //ManejoDataRepository::generaActSesion($sesion,AccesoController::inDatoUno,"Recupera Feed de Ejemplares".$psolicitud->getEmail()." recuperados con éxito ",$psolicitud->getAccion(),$fecha,$fecha); //echo "<script>alert('Generó actividad de sesion ')</script>"; return $objLogica::generaRespuesta($respuesta, $psolicitud, $ejemplares); } else { $respuesta->setRespuesta($respSesionVali); $ejemplares = array(); return $objLogica::generaRespuesta($respuesta, $psolicitud, $ejemplares); } } catch (Exception $ex) { $respuesta->setRespuesta(AccesoController::inPlatCai); $ejemplares = array(); return $objLogica::generaRespuesta($respuesta, $psolicitud, $ejemplares); } } public function publicarEjemplar(Solicitud $psolicitud) { /*setlocale (LC_TIME, "es_CO"); $fecha = new \DateTime;*/ $respuesta = new Respuesta(); $objLogica = $this->get('logica_service'); try { //Valida que la sesión corresponda y se encuentre activa $respSesionVali= ManejoDataRepository::validaSesionUsuario($psolicitud); //echo "<script>alert(' Publicar :: Validez de sesion ".$respSesionVali." ')</script>"; if ($respSesionVali==AccesoController::inULogged) { //Genera la oferta para el ejemplar si la accion es 1} //echo "Decide accion para ejemplar : ".$psolicitud->getAccionComm(); if ($psolicitud->getAccionComm() == AccesoController::inAccPublica) { //echo "\n La acion es publicar"; $respPub = ManejoDataRepository::generarPublicacionEjemplar($psolicitud); $respuesta->setRespuesta($respPub); } elseif ($psolicitud->getAccionComm() == AccesoController::inAccDespubl) { } elseif ($psolicitud->getAccionComm() == AccesoController::inAccModific) { } elseif ($psolicitud->getAccionComm() == AccesoController::inAccElimina) {} return $objLogica::generaRespuesta($respuesta, $psolicitud, NULL); } else { $respuesta->setRespuesta($respSesionVali); return $objLogica::generaRespuesta($respuesta, $psolicitud, NULL); } } catch (Exception $ex) { $respuesta->setRespuesta(AccesoController::inPlatCai); return $objLogica::generaRespuesta($respuesta, $psolicitud, NULL); } } public function visualizarBiblioteca(Solicitud $psolicitud) { /*setlocale (LC_TIME, "es_CO"); $fecha = new \DateTime;*/ $respuesta = new Respuesta(); $objLogica = $this->get('logica_service'); $usuario = new LbUsuarios(); $sesion = new LbSesiones(); $ejemplares = new LbEjemplares(); try { //Valida que la sesión corresponda y se encuentre activa $respSesionVali= ManejoDataRepository::validaSesionUsuario($psolicitud); //echo "<script>alert(' buscarEjemplares :: Validez de sesion ".$respSesionVali." ')</script>"; if ($respSesionVali==AccesoController::inULogged) { //echo "<script>alert(' buscaEjemplares :: FindAll ')</script>"; //Busca el usuario $usuario = ManejoDataRepository::getUsuarioByEmail($psolicitud->getEmail()); //$membresia= ManejoDataRepository::getMembresiasUsuario($usuario); //echo "<script>alert('MEM ".count($membresia)." regs ')</script>"; $grupo= ManejoDataRepository::getObjetoGruposUsuario($usuario); $arrGru = array(); foreach ($grupo as $gru){ $arrGru[] = $gru->getIngrupo(); } $ejemplares = ManejoDataRepository::getVisualizarBiblioteca($usuario, $arrGru, $psolicitud->getFiltro()); //echo "Recuperó ejemplares...gestionejemplares:buscarEjemplares \n"; $respuesta->setRespuesta(AccesoController::inExitoso); //SE INACTIVA PORQUE PUEDE GENERAR UNA GRAN CANTIDAD DE REGISTROS EN UNA SOLA SESION //Busca y recupera el objeto de la sesion:: //$sesion = ManejoDataRepository::recuperaSesionUsuario($usuario,$psolicitud); //echo "<script>alert('La sesion es ".$sesion->getTxsesnumero()." ')</script>"; //Guarda la actividad de la sesion:: //ManejoDataRepository::generaActSesion($sesion,AccesoController::inDatoUno,"Recupera Feed de Ejemplares".$psolicitud->getEmail()." recuperados con éxito ",$psolicitud->getAccion(),$fecha,$fecha); //echo "<script>alert('Generó actividad de sesion ')</script>"; return $objLogica::generaRespuesta($respuesta, $psolicitud, $ejemplares); } else { $respuesta->setRespuesta($respSesionVali); $ejemplares = array(); return $objLogica::generaRespuesta($respuesta, $psolicitud, $ejemplares); } } catch (Exception $ex) { $respuesta->setRespuesta(AccesoController::inPlatCai); $ejemplares = array(); return $objLogica::generaRespuesta($respuesta, $psolicitud, $ejemplares); } } public function recuperarOferta(Solicitud $psolicitud) { /*setlocale (LC_TIME, "es_CO"); $fecha = new \DateTime;*/ $respuesta = new Respuesta(); $objLogica = $this->get('logica_service'); $usuario = new LbUsuarios(); $sesion = new LbSesiones(); try { //Valida que la sesión corresponda y se encuentre activa $respSesionVali= ManejoDataRepository::validaSesionUsuario($psolicitud); //echo "<script>alert(' buscarEjemplares :: Validez de sesion ".$respSesionVali." ')</script>"; if ($respSesionVali==AccesoController::inULogged) { //echo "<script>alert(' recuperarFeedEjemplares :: FindAll ')</script>"; //Busca el usuario $usuario = ManejoDataRepository::getUsuarioByEmail($psolicitud->getEmail()); //$membresia= ManejoDataRepository::getMembresiasUsuario($usuario); //echo "<script>alert('MEM ".count($membresia)." regs ')</script>"; $oferta = ManejoDataRepository::getOfertaById($psolicitud->getIdOferta()); //echo "<script>alert('Oferta ".$psolicitud->getIdOferta()." ')</script>"; if ($oferta != NULL){ if ($oferta->getInofeactiva() == AccesoController::inExitoso){ $respuesta->setRespuesta(AccesoController::inExitoso); } else { $respuesta->setRespuesta(AccesoController::inMenNoAc); } } else { $respuesta->setRespuesta(AccesoController::inMenNoEx); } //SE INACTIVA PORQUE PUEDE GENERAR UNA GRAN CANTIDAD DE REGISTROS EN UNA SOLA SESION //Busca y recupera el objeto de la sesion:: //$sesion = ManejoDataRepository::recuperaSesionUsuario($usuario,$psolicitud); //echo "<script>alert('La sesion es ".$sesion->getTxsesnumero()." ')</script>"; //Guarda la actividad de la sesion:: //ManejoDataRepository::generaActSesion($sesion,AccesoController::inDatoUno,"Recupera Feed de Ejemplares".$psolicitud->getEmail()." recuperados con éxito ",$psolicitud->getAccion(),$fecha,$fecha); //echo "<script>alert('Generó actividad de sesion ')</script>"; return $objLogica::generaRespuesta($respuesta, $psolicitud, $oferta); } else { $respuesta->setRespuesta($respSesionVali); $oferta = array(); return $objLogica::generaRespuesta($respuesta, $psolicitud, $oferta); } } catch (Exception $ex) { $respuesta->setRespuesta(AccesoController::inPlatCai); $oferta = array(); return $objLogica::generaRespuesta($respuesta, $psolicitud, $oferta); } } public function listarIdiomas(Solicitud $psolicitud) { /*setlocale (LC_TIME, "es_CO"); $fecha = new \DateTime;*/ $respuesta = new Respuesta(); $objLogica = $this->get('logica_service'); try { //Valida que la sesión corresponda y se encuentre activa $respSesionVali= ManejoDataRepository::validaSesionUsuario($psolicitud); //echo "<script>alert(' buscarEjemplares :: Validez de sesion ".$respSesionVali." ')</script>"; if ($respSesionVali==AccesoController::inULogged) { //SE INACTIVA PORQUE PUEDE GENERAR UNA GRAN CANTIDAD DE REGISTROS EN UNA SOLA SESION //Busca y recupera el objeto de la sesion:: //$sesion = ManejoDataRepository::recuperaSesionUsuario($usuario,$psolicitud); //echo "<script>alert('La sesion es ".$sesion->getTxsesnumero()." ')</script>"; //Guarda la actividad de la sesion:: //ManejoDataRepository::generaActSesion($sesion,AccesoController::inDatoUno,"Recupera Feed de Ejemplares".$psolicitud->getEmail()." recuperados con éxito ",$psolicitud->getAccion(),$fecha,$fecha); //echo "<script>alert('Generó actividad de sesion ')</script>"; $respuesta->setRespuesta(AccesoController::inExitoso); //echo "Respuesta Idiomas: ".$respuesta->getRespuesta()." \n"; $idiomas = ManejoDataRepository::getListaIdiomas(); $idioma = new LbIdiomas(); $arIdiomas = array(); //$contador = 0; foreach ($idiomas as $idioma) { $arIdiomas[] = array("ididioma"=>$idioma->getInididioma(), "nomidioma"=>utf8_encode($idioma->getTxidinombre())); //echo "Idioma=".$idioma->getInididioma()." - ".$idioma->getTxidinombre()." \n"; //$contador++; } //echo "esto es lo que hay en respuesta"; //print_r($respuesta); //echo $contador." - lugares hallados"; //$arIdiomas = array("Español","Inglés","Frances","Alemán","Ruso","Portugues", // "Catalán","Árabe","Bosnio","Croata","Serbio","Italiano","Griego","Turco","Húngaro","Hindi"); return $objLogica::generaRespuesta($respuesta, $psolicitud, $arIdiomas); } else { $respuesta->setRespuesta($respSesionVali); $arIdiomas = array(); return $objLogica::generaRespuesta($respuesta, $psolicitud, $arIdiomas); } } catch (Exception $ex) { $respuesta->setRespuesta(AccesoController::inPlatCai); $arIdiomas = array(); return $objLogica::generaRespuesta($respuesta, $psolicitud, $arIdiomas); } } public function megustaEjemplar(Solicitud $psolicitud) { /*setlocale (LC_TIME, "es_CO"); $fecha = new \DateTime;*/ $respuesta = new Respuesta(); $objLogica = $this->get('logica_service'); try { //Valida que la sesión corresponda y se encuentre activa $respSesionVali= ManejoDataRepository::validaSesionUsuario($psolicitud); //echo "<script>alert(' buscarEjemplares :: Validez de sesion ".$respSesionVali." ')</script>"; if ($respSesionVali==AccesoController::inULogged) { //SE INACTIVA PORQUE PUEDE GENERAR UNA GRAN CANTIDAD DE REGISTROS EN UNA SOLA SESION //Busca y recupera el objeto de la sesion:: //$sesion = ManejoDataRepository::recuperaSesionUsuario($usuario,$psolicitud); //echo "<script>alert('La sesion es ".$sesion->getTxsesnumero()." ')</script>"; //Guarda la actividad de la sesion:: //ManejoDataRepository::generaActSesion($sesion,AccesoController::inDatoUno,"Recupera Feed de Ejemplares".$psolicitud->getEmail()." recuperados con éxito ",$psolicitud->getAccion(),$fecha,$fecha); //echo "<script>alert('Generó actividad de sesion ')</script>"; $resp = ManejoDataRepository::setMegustaEjemplar($psolicitud->getIdEjemplar(), $psolicitud->getMegusta(), $psolicitud->getEmail()); $respuesta->setRespuesta($resp); $respuesta->setCantComenta(ManejoDataRepository::getCantComment($psolicitud->getIdEjemplar())); $respuesta->setCantMegusta(ManejoDataRepository::getCantMegusta($psolicitud->getIdEjemplar())); //echo "esto es lo que hay en respuesta"; //print_r($respuesta); //echo $contador." - lugares hallados"; //$arIdiomas = array("Español","Inglés","Frances","Alemán","Ruso","Portugues", // "Catalán","Árabe","Bosnio","Croata","Serbio","Italiano","Griego","Turco","Húngaro","Hindi"); return $objLogica::generaRespuesta($respuesta, $psolicitud, NULL); } else { //echo 'sesion invalida'; $respuesta->setRespuesta($respSesionVali); return $objLogica::generaRespuesta($respuesta, $psolicitud, NULL); } } catch (Exception $ex) { $respuesta->setRespuesta(AccesoController::inPlatCai); return $objLogica::generaRespuesta($respuesta, $psolicitud, NULL); } } public function VerUsrgustaEjemplar(Solicitud $psolicitud) { /*setlocale (LC_TIME, "es_CO"); $fecha = new \DateTime;*/ $respuesta = new Respuesta(); $objLogica = $this->get('logica_service'); try { //Valida que la sesión corresponda y se encuentre activa $respSesionVali= ManejoDataRepository::validaSesionUsuario($psolicitud); //echo "<script>alert(' buscarEjemplares :: Validez de sesion ".$respSesionVali." ')</script>"; if ($respSesionVali==AccesoController::inULogged) { //SE INACTIVA PORQUE PUEDE GENERAR UNA GRAN CANTIDAD DE REGISTROS EN UNA SOLA SESION //Busca y recupera el objeto de la sesion:: //$sesion = ManejoDataRepository::recuperaSesionUsuario($usuario,$psolicitud); //echo "<script>alert('La sesion es ".$sesion->getTxsesnumero()." ')</script>"; //Guarda la actividad de la sesion:: //ManejoDataRepository::generaActSesion($sesion,AccesoController::inDatoUno,"Recupera Feed de Ejemplares".$psolicitud->getEmail()." recuperados con éxito ",$psolicitud->getAccion(),$fecha,$fecha); //echo "<script>alert('Generó actividad de sesion ')</script>"; $UsrMegusta = ManejoDataRepository::getUsrMegustaEjemplar($psolicitud); $respuesta->setRespuesta(AccesoController::inExitoso); //echo "esto es lo que hay en respuesta"; //print_r($respuesta); //echo $contador." - lugares hallados"; //$arIdiomas = array("Español","Inglés","Frances","Alemán","Ruso","Portugues", // "Catalán","Árabe","Bosnio","Croata","Serbio","Italiano","Griego","Turco","Húngaro","Hindi"); return $objLogica::generaRespuesta($respuesta, $psolicitud, $UsrMegusta); } else { $respuesta->setRespuesta($respSesionVali); return $objLogica::generaRespuesta($respuesta, $psolicitud, $UsrMegusta); } } catch (Exception $ex) { $respuesta->setRespuesta(AccesoController::inPlatCai); return $objLogica::generaRespuesta($respuesta, $psolicitud, $UsrMegusta); } } public function comentarEjemplar(Solicitud $psolicitud) { /*setlocale (LC_TIME, "es_CO"); $fecha = new \DateTime;*/ $respuesta = new Respuesta(); $objLogica = $this->get('logica_service'); try { //Valida que la sesión corresponda y se encuentre activa $respSesionVali= ManejoDataRepository::validaSesionUsuario($psolicitud); //echo "<script>alert(' buscarEjemplares :: Validez de sesion ".$respSesionVali." ')</script>"; if ($respSesionVali==AccesoController::inULogged) { //SE INACTIVA PORQUE PUEDE GENERAR UNA GRAN CANTIDAD DE REGISTROS EN UNA SOLA SESION //Busca y recupera el objeto de la sesion:: //$sesion = ManejoDataRepository::recuperaSesionUsuario($usuario,$psolicitud); //echo "<script>alert('La sesion es ".$sesion->getTxsesnumero()." ')</script>"; //Guarda la actividad de la sesion:: //ManejoDataRepository::generaActSesion($sesion,AccesoController::inDatoUno,"Recupera Feed de Ejemplares".$psolicitud->getEmail()." recuperados con éxito ",$psolicitud->getAccion(),$fecha,$fecha); //echo "<script>alert('Generó actividad de sesion ')</script>"; $resp = ManejoDataRepository::setComentarioEjemplar($psolicitud); $respuesta->setRespuesta($resp); $respuesta->setCantComenta(ManejoDataRepository::getCantComment($psolicitud->getIdEjemplar())); $respuesta->setCantMegusta(ManejoDataRepository::getCantMegusta($psolicitud->getIdEjemplar())); //echo "esto es lo que hay en respuesta"; //print_r($respuesta); return $objLogica::generaRespuesta($respuesta, $psolicitud, NULL); } else { $respuesta->setRespuesta($respSesionVali); return $objLogica::generaRespuesta($respuesta, $psolicitud, NULL); } } catch (Exception $ex) { $respuesta->setRespuesta(AccesoController::inPlatCai); return $objLogica::generaRespuesta($respuesta, $psolicitud, NULL); } } public function VerComentariosEjemplar(Solicitud $psolicitud) { /*setlocale (LC_TIME, "es_CO"); $fecha = new \DateTime;*/ $respuesta = new Respuesta(); $objLogica = $this->get('logica_service'); try { //Valida que la sesión corresponda y se encuentre activa $respSesionVali= ManejoDataRepository::validaSesionUsuario($psolicitud); //echo "<script>alert(' buscarEjemplares :: Validez de sesion ".$respSesionVali." ')</script>"; if ($respSesionVali==AccesoController::inULogged) { //SE INACTIVA PORQUE PUEDE GENERAR UNA GRAN CANTIDAD DE REGISTROS EN UNA SOLA SESION //Busca y recupera el objeto de la sesion:: //$sesion = ManejoDataRepository::recuperaSesionUsuario($usuario,$psolicitud); //echo "<script>alert('La sesion es ".$sesion->getTxsesnumero()." ')</script>"; //Guarda la actividad de la sesion:: //ManejoDataRepository::generaActSesion($sesion,AccesoController::inDatoUno,"Recupera Feed de Ejemplares".$psolicitud->getEmail()." recuperados con éxito ",$psolicitud->getAccion(),$fecha,$fecha); //echo "<script>alert('Generó actividad de sesion ')</script>"; $ComenEjemplar = ManejoDataRepository::getComentariosEjemplar($psolicitud); $respuesta->setRespuesta(AccesoController::inExitoso); //echo "esto es lo que hay en respuesta"; //print_r($respuesta); //echo $contador." - lugares hallados"; //$arIdiomas = array("Español","Inglés","Frances","Alemán","Ruso","Portugues", // "Catalán","Árabe","Bosnio","Croata","Serbio","Italiano","Griego","Turco","Húngaro","Hindi"); return $objLogica::generaRespuesta($respuesta, $psolicitud, $ComenEjemplar); } else { $respuesta->setRespuesta($respSesionVali); return $objLogica::generaRespuesta($respuesta, $psolicitud, $ComenEjemplar); } } catch (Exception $ex) { $respuesta->setRespuesta(AccesoController::inPlatCai); return $objLogica::generaRespuesta($respuesta, $psolicitud, $ComenEjemplar); } } public function enviarMensajeChat(Solicitud $psolicitud) { /*setlocale (LC_TIME, "es_CO"); $fecha = new \DateTime;*/ $respuesta = new Respuesta(); $objLogica = $this->get('logica_service'); try { //Valida que la sesión corresponda y se encuentre activa $respSesionVali= ManejoDataRepository::validaSesionUsuario($psolicitud); //echo "<script>alert(' buscarEjemplares :: Validez de sesion ".$respSesionVali." ')</script>"; if ($respSesionVali==AccesoController::inULogged) { //SE INACTIVA PORQUE PUEDE GENERAR UNA GRAN CANTIDAD DE REGISTROS EN UNA SOLA SESION //Busca y recupera el objeto de la sesion:: //$sesion = ManejoDataRepository::recuperaSesionUsuario($usuario,$psolicitud); //echo "<script>alert('La sesion es ".$sesion->getTxsesnumero()." ')</script>"; //Guarda la actividad de la sesion:: //ManejoDataRepository::generaActSesion($sesion,AccesoController::inDatoUno,"Recupera Feed de Ejemplares".$psolicitud->getEmail()." recuperados con éxito ",$psolicitud->getAccion(),$fecha,$fecha); //echo "<script>alert('Generó actividad de sesion ')</script>"; //Guarda la acion del usuario en una variable $ultAccion = $psolicitud->getTratoAcep(); //Guarda el chat $resp = ManejoDataRepository::setMensajeChat($psolicitud); //echo "respuesta ".$resp; if (is_null($resp)) { $respuesta->setRespuesta(AccesoController::inPlatCai); } else { $usrDueno = AccesoController::inDatoCer; //Default: no es el dueño $respuesta->setRespuesta(AccesoController::inDatoUno); $arrConversacion = array(); $objConv = new LbNegociacion(); $objConv = ManejoDataRepository::getChatNegociacionById($resp); //echo "respuesta ".$resp; // if (!empty($objConv)) { $usuarioEnv = ManejoDataRepository::getUsuarioByEmail($psolicitud->getEmail()); $usuarioDes = ManejoDataRepository::getUsuarioById($psolicitud->getIdusuariodes()); foreach ($objConv as $neg){ $idconversa = $neg->getTxnegidconversacion(); if($neg->getInnegusuescribe() == $neg->getInnegusuduenho()){ $usrrecibe = $neg->getInnegususolicita(); $usrDueno = AccesoController::inDatoUno; } else { $usrrecibe = $neg->getInnegusuduenho(); $usrDueno = AccesoController::inDatoCer; } $arrConversacion[] = array('fecha' => $neg->getFenegfechamens()->format(("Y-m-d H:i:s")), 'usrescribe' => $neg->getInnegusuescribe()->getInusuario(), 'nommostusrescribe' => utf8_encode($neg->getInnegusuescribe()->getTxusunommostrar()), 'idusrdestino' => $usrrecibe->getInusuario(), 'nommostusrdest' => utf8_encode($usrrecibe->getTxusunommostrar()), 'txmensaje' => utf8_encode($neg->getTxnegmensaje()), 'idconversa' => utf8_encode($neg->getTxnegidconversacion()), 'tratoacep' => $neg->getInnegtratoacep()); } $respuesta->setIndAcept(ManejoDataRepository::getUsAceptTrato($usuarioEnv, $idconversa)); $respuesta->setIndOtroAcept(ManejoDataRepository::getUsAceptTrato($usuarioDes, $idconversa)); $respuesta->setBotonesMostrar(ManejoDataRepository::getBotonesMostrar($idconversa,$usrDueno,$ultAccion)); } } //echo "esto es lo que hay en respuesta"; //print_r($respuesta); return $objLogica::generaRespuesta($respuesta, $psolicitud, $arrConversacion); } else { $respuesta->setRespuesta($respSesionVali); return $objLogica::generaRespuesta($respuesta, $psolicitud, $arrConversacion); } } catch (Exception $ex) { $respuesta->setRespuesta(AccesoController::inPlatCai); return $objLogica::generaRespuesta($respuesta, $psolicitud, $arrConversacion); } } public function listarEditoriales(Solicitud $psolicitud) { /*setlocale (LC_TIME, "es_CO"); $fecha = new \DateTime;*/ $respuesta = new Respuesta(); $objLogica = $this->get('logica_service'); try { //Valida que la sesión corresponda y se encuentre activa $respSesionVali= ManejoDataRepository::validaSesionUsuario($psolicitud); //echo "<script>alert(' buscarEjemplares :: Validez de sesion ".$respSesionVali." ')</script>"; if ($respSesionVali==AccesoController::inULogged) { //SE INACTIVA PORQUE PUEDE GENERAR UNA GRAN CANTIDAD DE REGISTROS EN UNA SOLA SESION //Busca y recupera el objeto de la sesion:: //$sesion = ManejoDataRepository::recuperaSesionUsuario($usuario,$psolicitud); //echo "<script>alert('La sesion es ".$sesion->getTxsesnumero()." ')</script>"; //Guarda la actividad de la sesion:: //ManejoDataRepository::generaActSesion($sesion,AccesoController::inDatoUno,"Recupera Feed de Ejemplares".$psolicitud->getEmail()." recuperados con éxito ",$psolicitud->getAccion(),$fecha,$fecha); //echo "<script>alert('Generó actividad de sesion ')</script>"; $respuesta->setRespuesta(AccesoController::inExitoso); //echo "Respuesta Idiomas: ".$respuesta->getRespuesta()." \n"; $editoriales = ManejoDataRepository::getListaEditoriales(); $editorial = new LbEditoriales(); $arEditoriales = array(); //$contador = 0; foreach ($editoriales as $editorial) { $arEditoriales[] = array("ideditor"=>$editorial->getInideditorial(), "nomeditor"=>utf8_encode($editorial->getTxedinombre())); //echo "Idioma=".$idioma->getInididioma()." - ".$idioma->getTxidinombre()." \n"; //$contador++; } //echo "esto es lo que hay en respuesta"; //print_r($respuesta); //echo $contador." - lugares hallados"; //$arIdiomas = array("Español","Inglés","Frances","Alemán","Ruso","Portugues", // "Catalán","Árabe","Bosnio","Croata","Serbio","Italiano","Griego","Turco","Húngaro","Hindi"); return $objLogica::generaRespuesta($respuesta, $psolicitud, $arEditoriales); } else { $respuesta->setRespuesta($respSesionVali); $arEditoriales = array(); return $objLogica::generaRespuesta($respuesta, $psolicitud, $arEditoriales); } } catch (Exception $ex) { $respuesta->setRespuesta(AccesoController::inPlatCai); $arEditoriales = array(); return $objLogica::generaRespuesta($respuesta, $psolicitud, $arEditoriales); } } public function listarAutores(Solicitud $psolicitud) { /*setlocale (LC_TIME, "es_CO"); $fecha = new \DateTime;*/ $respuesta = new Respuesta(); $objLogica = $this->get('logica_service'); try { //Valida que la sesión corresponda y se encuentre activa $respSesionVali= ManejoDataRepository::validaSesionUsuario($psolicitud); //echo "<script>alert(' buscarEjemplares :: Validez de sesion ".$respSesionVali." ')</script>"; if ($respSesionVali==AccesoController::inULogged) { //SE INACTIVA PORQUE PUEDE GENERAR UNA GRAN CANTIDAD DE REGISTROS EN UNA SOLA SESION //Busca y recupera el objeto de la sesion:: //$sesion = ManejoDataRepository::recuperaSesionUsuario($usuario,$psolicitud); //echo "<script>alert('La sesion es ".$sesion->getTxsesnumero()." ')</script>"; //Guarda la actividad de la sesion:: //ManejoDataRepository::generaActSesion($sesion,AccesoController::inDatoUno,"Recupera Feed de Ejemplares".$psolicitud->getEmail()." recuperados con éxito ",$psolicitud->getAccion(),$fecha,$fecha); //echo "<script>alert('Generó actividad de sesion ')</script>"; $respuesta->setRespuesta(AccesoController::inExitoso); //echo "Respuesta Idiomas: ".$respuesta->getRespuesta()." \n"; $autores = ManejoDataRepository::getListaAutores(); $autor = new LbAutores(); $arAutores = array(); //$contador = 0; foreach ($autores as $autor) { $arAutores[] = array("idautor"=>$autor->getInidautor(), "nomautor"=>utf8_encode($autor->getTxautnombre())); //echo "Idioma=".$idioma->getInididioma()." - ".$idioma->getTxidinombre()." \n"; //$contador++; } //echo "esto es lo que hay en respuesta"; //print_r($respuesta); //echo $contador." - lugares hallados"; //$arIdiomas = array("Español","Inglés","Frances","Alemán","Ruso","Portugues", // "Catalán","Árabe","Bosnio","Croata","Serbio","Italiano","Griego","Turco","Húngaro","Hindi"); return $objLogica::generaRespuesta($respuesta, $psolicitud, $arAutores); } else { $respuesta->setRespuesta($respSesionVali); $arAutores = array(); return $objLogica::generaRespuesta($respuesta, $psolicitud, $arAutores); } } catch (Exception $ex) { $respuesta->setRespuesta(AccesoController::inPlatCai); $arAutores= array(); return $objLogica::generaRespuesta($respuesta, $psolicitud, $arAutores); } } }
BaisicaSAS/LibreameBE
src/Libreame/BackendBundle/Helpers/GestionEjemplares.php
PHP
mit
38,081
/** * marked - a markdown parser * Copyright (c) 2011-2014, Christopher Jeffrey. (MIT Licensed) * https://github.com/chjj/marked */ ;(function() { /** * Block-Level Grammar */ var block = { newline: /^\n+/, code: /^( {4}[^\n]+\n*)+/, fences: noop, hr: /^( *[-*_]){3,} *(?:\n+|$)/, heading: /^ *(#{1,6}) *([^\n]+?) *#* *(?:\n+|$)/, nptable: noop, lheading: /^([^\n]+)\n *(=|-){2,} *(?:\n+|$)/, blockquote: /^( *>[^\n]+(\n(?!def)[^\n]+)*\n*)+/, list: /^( *)(bull) [\s\S]+?(?:hr|def|\n{2,}(?! )(?!\1bull )\n*|\s*$)/, html: /^ *(?:comment *(?:\n|\s*$)|closed *(?:\n{2,}|\s*$)|closing *(?:\n{2,}|\s*$))/, def: /^ *\[([^\]]+)\]: *<?([^\s>]+)>?(?: +["(]([^\n]+)[")])? *(?:\n+|$)/, table: noop, paragraph: /^((?:[^\n]+\n?(?!hr|heading|lheading|blockquote|tag|def))+)\n*/, text: /^[^\n]+/ }; block.bullet = /(?:[*+-]|\d+\.)/; block.item = /^( *)(bull) [^\n]*(?:\n(?!\1bull )[^\n]*)*/; block.item = replace(block.item, 'gm') (/bull/g, block.bullet) (); block.list = replace(block.list) (/bull/g, block.bullet) ('hr', '\\n+(?=\\1?(?:[-*_] *){3,}(?:\\n+|$))') ('def', '\\n+(?=' + block.def.source + ')') (); block.blockquote = replace(block.blockquote) ('def', block.def) (); block._tag = '(?!(?:' + 'a|em|strong|small|s|cite|q|dfn|abbr|data|time|code' + '|var|samp|kbd|sub|sup|i|b|u|mark|ruby|rt|rp|bdi|bdo' + '|span|br|wbr|ins|del|img)\\b)\\w+(?!:/|[^\\w\\s@]*@)\\b'; block.html = replace(block.html) ('comment', /<!--[\s\S]*?-->/) ('closed', /<(tag)[\s\S]+?<\/\1>/) ('closing', /<tag(?:"[^"]*"|'[^']*'|[^'">])*?>/) (/tag/g, block._tag) (); block.paragraph = replace(block.paragraph) ('hr', block.hr) ('heading', block.heading) ('lheading', block.lheading) ('blockquote', block.blockquote) ('tag', '<' + block._tag) ('def', block.def) (); /** * Normal Block Grammar */ block.normal = merge({}, block); /** * GFM Block Grammar */ block.gfm = merge({}, block.normal, { fences: /^ *(`{3,}|~{3,})[ \.]*(\S+)? *\n([\s\S]*?)\s*\1 *(?:\n+|$)/, paragraph: /^/, heading: /^ *(#{1,6}) +([^\n]+?) *#* *(?:\n+|$)/ }); block.gfm.paragraph = replace(block.paragraph) ('(?!', '(?!' + block.gfm.fences.source.replace('\\1', '\\2') + '|' + block.list.source.replace('\\1', '\\3') + '|') (); /** * GFM + Tables Block Grammar */ block.tables = merge({}, block.gfm, { nptable: /^ *(\S.*\|.*)\n *([-:]+ *\|[-| :]*)\n((?:.*\|.*(?:\n|$))*)\n*/, table: /^ *\|(.+)\n *\|( *[-:]+[-| :]*)\n((?: *\|.*(?:\n|$))*)\n*/ }); /** * Block Lexer */ function Lexer(options) { this.tokens = []; this.tokens.links = {}; this.options = options || marked.defaults; this.rules = block.normal; if (this.options.gfm) { if (this.options.tables) { this.rules = block.tables; } else { this.rules = block.gfm; } } } /** * Expose Block Rules */ Lexer.rules = block; /** * Static Lex Method */ Lexer.lex = function(src, options) { var lexer = new Lexer(options); return lexer.lex(src); }; /** * Preprocessing */ Lexer.prototype.lex = function(src) { src = src .replace(/\r\n|\r/g, '\n') .replace(/\t/g, ' ') .replace(/\u00a0/g, ' ') .replace(/\u2424/g, '\n'); return this.token(src, true); }; /** * Lexing */ Lexer.prototype.token = function(src, top, bq) { var src = src.replace(/^ +$/gm, '') , next , loose , cap , bull , b , item , space , i , l; while (src) { // newline if (cap = this.rules.newline.exec(src)) { src = src.substring(cap[0].length); if (cap[0].length > 1) { this.tokens.push({ type: 'space' }); } } // code if (cap = this.rules.code.exec(src)) { src = src.substring(cap[0].length); cap = cap[0].replace(/^ {4}/gm, ''); this.tokens.push({ type: 'code', text: !this.options.pedantic ? cap.replace(/\n+$/, '') : cap }); continue; } // fences (gfm) if (cap = this.rules.fences.exec(src)) { src = src.substring(cap[0].length); this.tokens.push({ type: 'code', lang: cap[2], text: cap[3] || '' }); continue; } // heading if (cap = this.rules.heading.exec(src)) { src = src.substring(cap[0].length); this.tokens.push({ type: 'heading', depth: cap[1].length, text: cap[2] }); continue; } // table no leading pipe (gfm) if (top && (cap = this.rules.nptable.exec(src))) { src = src.substring(cap[0].length); item = { type: 'table', header: cap[1].replace(/^ *| *\| *$/g, '').split(/ *\| */), align: cap[2].replace(/^ *|\| *$/g, '').split(/ *\| */), cells: cap[3].replace(/\n$/, '').split('\n') }; for (i = 0; i < item.align.length; i++) { if (/^ *-+: *$/.test(item.align[i])) { item.align[i] = 'right'; } else if (/^ *:-+: *$/.test(item.align[i])) { item.align[i] = 'center'; } else if (/^ *:-+ *$/.test(item.align[i])) { item.align[i] = 'left'; } else { item.align[i] = null; } } for (i = 0; i < item.cells.length; i++) { item.cells[i] = item.cells[i].split(/ *\| */); } this.tokens.push(item); continue; } // lheading if (cap = this.rules.lheading.exec(src)) { src = src.substring(cap[0].length); this.tokens.push({ type: 'heading', depth: cap[2] === '=' ? 1 : 2, text: cap[1] }); continue; } // hr if (cap = this.rules.hr.exec(src)) { src = src.substring(cap[0].length); this.tokens.push({ type: 'hr' }); continue; } // blockquote if (cap = this.rules.blockquote.exec(src)) { src = src.substring(cap[0].length); this.tokens.push({ type: 'blockquote_start' }); cap = cap[0].replace(/^ *> ?/gm, ''); // Pass `top` to keep the current // "toplevel" state. This is exactly // how markdown.pl works. this.token(cap, top, true); this.tokens.push({ type: 'blockquote_end' }); continue; } // list if (cap = this.rules.list.exec(src)) { src = src.substring(cap[0].length); bull = cap[2]; this.tokens.push({ type: 'list_start', ordered: bull.length > 1 }); // Get each top-level item. cap = cap[0].match(this.rules.item); next = false; l = cap.length; i = 0; for (; i < l; i++) { item = cap[i]; // Remove the list item's bullet // so it is seen as the next token. space = item.length; item = item.replace(/^ *([*+-]|\d+\.) +/, ''); // Outdent whatever the // list item contains. Hacky. if (~item.indexOf('\n ')) { space -= item.length; item = !this.options.pedantic ? item.replace(new RegExp('^ {1,' + space + '}', 'gm'), '') : item.replace(/^ {1,4}/gm, ''); } // Determine whether the next list item belongs here. // Backpedal if it does not belong in this list. if (this.options.smartLists && i !== l - 1) { b = block.bullet.exec(cap[i + 1])[0]; if (bull !== b && !(bull.length > 1 && b.length > 1)) { src = cap.slice(i + 1).join('\n') + src; i = l - 1; } } // Determine whether item is loose or not. // Use: /(^|\n)(?! )[^\n]+\n\n(?!\s*$)/ // for discount behavior. loose = next || /\n\n(?!\s*$)/.test(item); if (i !== l - 1) { next = item.charAt(item.length - 1) === '\n'; if (!loose) loose = next; } this.tokens.push({ type: loose ? 'loose_item_start' : 'list_item_start' }); // Recurse. this.token(item, false, bq); this.tokens.push({ type: 'list_item_end' }); } this.tokens.push({ type: 'list_end' }); continue; } // html if (cap = this.rules.html.exec(src)) { src = src.substring(cap[0].length); this.tokens.push({ type: this.options.sanitize ? 'paragraph' : 'html', pre: !this.options.sanitizer && (cap[1] === 'pre' || cap[1] === 'script' || cap[1] === 'style'), text: cap[0] }); continue; } // def if ((!bq && top) && (cap = this.rules.def.exec(src))) { src = src.substring(cap[0].length); this.tokens.links[cap[1].toLowerCase()] = { href: cap[2], title: cap[3] }; continue; } // table (gfm) if (top && (cap = this.rules.table.exec(src))) { src = src.substring(cap[0].length); item = { type: 'table', header: cap[1].replace(/^ *| *\| *$/g, '').split(/ *\| */), align: cap[2].replace(/^ *|\| *$/g, '').split(/ *\| */), cells: cap[3].replace(/(?: *\| *)?\n$/, '').split('\n') }; for (i = 0; i < item.align.length; i++) { if (/^ *-+: *$/.test(item.align[i])) { item.align[i] = 'right'; } else if (/^ *:-+: *$/.test(item.align[i])) { item.align[i] = 'center'; } else if (/^ *:-+ *$/.test(item.align[i])) { item.align[i] = 'left'; } else { item.align[i] = null; } } for (i = 0; i < item.cells.length; i++) { item.cells[i] = item.cells[i] .replace(/^ *\| *| *\| *$/g, '') .split(/ *\| */); } this.tokens.push(item); continue; } // top-level paragraph if (top && (cap = this.rules.paragraph.exec(src))) { src = src.substring(cap[0].length); this.tokens.push({ type: 'paragraph', text: cap[1].charAt(cap[1].length - 1) === '\n' ? cap[1].slice(0, -1) : cap[1] }); continue; } // text if (cap = this.rules.text.exec(src)) { // Top-level should never reach here. src = src.substring(cap[0].length); this.tokens.push({ type: 'text', text: cap[0] }); continue; } if (src) { throw new Error('Infinite loop on byte: ' + src.charCodeAt(0)); } } return this.tokens; }; /** * Inline-Level Grammar */ var inline = { escape: /^\\([\\`*{}\[\]()#+\-.!_>])/, autolink: /^<([^ >]+(@|:\/)[^ >]+)>/, url: noop, tag: /^<!--[\s\S]*?-->|^<\/?\w+(?:"[^"]*"|'[^']*'|[^'">])*?>/, link: /^!?\[(inside)\]\(href\)/, reflink: /^!?\[(inside)\]\s*\[([^\]]*)\]/, nolink: /^!?\[((?:\[[^\]]*\]|[^\[\]])*)\]/, strong: /^__([\s\S]+?)__(?!_)|^\*\*([\s\S]+?)\*\*(?!\*)/, em: /^\b_((?:[^_]|__)+?)_\b|^\*((?:\*\*|[\s\S])+?)\*(?!\*)/, code: /^(`+)([\s\S]*?[^`])\1(?!`)/, br: /^ {2,}\n(?!\s*$)/, del: noop, text: /^[\s\S]+?(?=[\\<!\[_*`]| {2,}\n|$)/ }; inline._inside = /(?:\[[^\]]*\]|[^\[\]]|\](?=[^\[]*\]))*/; inline._href = /\s*<?([\s\S]*?)>?(?:\s+['"]([\s\S]*?)['"])?\s*/; inline.link = replace(inline.link) ('inside', inline._inside) ('href', inline._href) (); inline.reflink = replace(inline.reflink) ('inside', inline._inside) (); /** * Normal Inline Grammar */ inline.normal = merge({}, inline); /** * Pedantic Inline Grammar */ inline.pedantic = merge({}, inline.normal, { strong: /^__(?=\S)([\s\S]*?\S)__(?!_)|^\*\*(?=\S)([\s\S]*?\S)\*\*(?!\*)/, em: /^_(?=\S)([\s\S]*?\S)_(?!_)|^\*(?=\S)([\s\S]*?\S)\*(?!\*)/ }); /** * GFM Inline Grammar */ inline.gfm = merge({}, inline.normal, { escape: replace(inline.escape)('])', '~|])')(), url: /^(https?:\/\/[^\s<]+[^<.,:;"')\]\s])/, del: /^~~(?=\S)([\s\S]*?\S)~~/, text: replace(inline.text) (']|', '~]|') ('|', '|https?://|') () }); /** * GFM + Line Breaks Inline Grammar */ inline.breaks = merge({}, inline.gfm, { br: replace(inline.br)('{2,}', '*')(), text: replace(inline.gfm.text)('{2,}', '*')() }); /** * Inline Lexer & Compiler */ function InlineLexer(links, options) { this.options = options || marked.defaults; this.links = links; this.rules = inline.normal; this.renderer = this.options.renderer || new Renderer; this.renderer.options = this.options; if (!this.links) { throw new Error('Tokens array requires a `links` property.'); } if (this.options.gfm) { if (this.options.breaks) { this.rules = inline.breaks; } else { this.rules = inline.gfm; } } else if (this.options.pedantic) { this.rules = inline.pedantic; } } /** * Expose Inline Rules */ InlineLexer.rules = inline; /** * Static Lexing/Compiling Method */ InlineLexer.output = function(src, links, options) { var inline = new InlineLexer(links, options); return inline.output(src); }; /** * Lexing/Compiling */ InlineLexer.prototype.output = function(src) { var out = '' , link , text , href , cap; while (src) { // escape if (cap = this.rules.escape.exec(src)) { src = src.substring(cap[0].length); out += cap[1]; continue; } // autolink if (cap = this.rules.autolink.exec(src)) { src = src.substring(cap[0].length); if (cap[2] === '@') { text = cap[1].charAt(6) === ':' ? this.mangle(cap[1].substring(7)) : this.mangle(cap[1]); href = this.mangle('mailto:') + text; } else { text = escape(cap[1]); href = text; } out += this.renderer.link(href, null, text); continue; } // url (gfm) if (!this.inLink && (cap = this.rules.url.exec(src))) { src = src.substring(cap[0].length); text = escape(cap[1]); href = text; out += this.renderer.link(href, null, text); continue; } // tag if (cap = this.rules.tag.exec(src)) { if (!this.inLink && /^<a /i.test(cap[0])) { this.inLink = true; } else if (this.inLink && /^<\/a>/i.test(cap[0])) { this.inLink = false; } src = src.substring(cap[0].length); out += this.options.sanitize ? this.options.sanitizer ? this.options.sanitizer(cap[0]) : escape(cap[0]) : cap[0] continue; } // link if (cap = this.rules.link.exec(src)) { src = src.substring(cap[0].length); this.inLink = true; out += this.outputLink(cap, { href: cap[2], title: cap[3] }); this.inLink = false; continue; } // reflink, nolink if ((cap = this.rules.reflink.exec(src)) || (cap = this.rules.nolink.exec(src))) { src = src.substring(cap[0].length); link = (cap[2] || cap[1]).replace(/\s+/g, ' '); link = this.links[link.toLowerCase()]; if (!link || !link.href) { out += cap[0].charAt(0); src = cap[0].substring(1) + src; continue; } this.inLink = true; out += this.outputLink(cap, link); this.inLink = false; continue; } // strong if (cap = this.rules.strong.exec(src)) { src = src.substring(cap[0].length); out += this.renderer.strong(this.output(cap[2] || cap[1])); continue; } // em if (cap = this.rules.em.exec(src)) { src = src.substring(cap[0].length); out += this.renderer.em(this.output(cap[2] || cap[1])); continue; } // code if (cap = this.rules.code.exec(src)) { src = src.substring(cap[0].length); out += this.renderer.codespan(escape(cap[2].trim(), true)); continue; } // br if (cap = this.rules.br.exec(src)) { src = src.substring(cap[0].length); out += this.renderer.br(); continue; } // del (gfm) if (cap = this.rules.del.exec(src)) { src = src.substring(cap[0].length); out += this.renderer.del(this.output(cap[1])); continue; } // text if (cap = this.rules.text.exec(src)) { src = src.substring(cap[0].length); out += this.renderer.text(escape(this.smartypants(cap[0]))); continue; } if (src) { throw new Error('Infinite loop on byte: ' + src.charCodeAt(0)); } } return out; }; /** * Compile Link */ InlineLexer.prototype.outputLink = function(cap, link) { var href = escape(link.href) , title = link.title ? escape(link.title) : null; return cap[0].charAt(0) !== '!' ? this.renderer.link(href, title, this.output(cap[1])) : this.renderer.image(href, title, escape(cap[1])); }; /** * Smartypants Transformations */ InlineLexer.prototype.smartypants = function(text) { if (!this.options.smartypants) return text; return text // em-dashes .replace(/---/g, '\u2014') // en-dashes .replace(/--/g, '\u2013') // opening singles .replace(/(^|[-\u2014/(\[{"\s])'/g, '$1\u2018') // closing singles & apostrophes .replace(/'/g, '\u2019') // opening doubles .replace(/(^|[-\u2014/(\[{\u2018\s])"/g, '$1\u201c') // closing doubles .replace(/"/g, '\u201d') // ellipses .replace(/\.{3}/g, '\u2026'); }; /** * Mangle Links */ InlineLexer.prototype.mangle = function(text) { if (!this.options.mangle) return text; var out = '' , l = text.length , i = 0 , ch; for (; i < l; i++) { ch = text.charCodeAt(i); if (Math.random() > 0.5) { ch = 'x' + ch.toString(16); } out += '&#' + ch + ';'; } return out; }; /** * Renderer */ function Renderer(options) { this.options = options || {}; } Renderer.prototype.code = function(code, lang, escaped) { if (this.options.highlight) { var out = this.options.highlight(code, lang); if (out != null && out !== code) { escaped = true; code = out; } } if (!lang) { return '<pre><code>' + (escaped ? code : escape(code, true)) + '\n</code></pre>'; } return '<pre><code class="' + this.options.langPrefix + escape(lang, true) + '">' + (escaped ? code : escape(code, true)) + '\n</code></pre>\n'; }; Renderer.prototype.blockquote = function(quote) { return '<blockquote>\n' + quote + '</blockquote>\n'; }; Renderer.prototype.html = function(html) { return html; }; Renderer.prototype.heading = function(text, level, raw) { return '<h' + level + ' id="' + this.options.headerPrefix + raw.toLowerCase().replace(/[^\w]+/g, '-') + '">' + text + '</h' + level + '>\n'; }; Renderer.prototype.hr = function() { return this.options.xhtml ? '<hr/>\n' : '<hr>\n'; }; Renderer.prototype.list = function(body, ordered) { var type = ordered ? 'ol' : 'ul'; return '<' + type + '>\n' + body + '</' + type + '>\n'; }; Renderer.prototype.listitem = function(text) { return '<li>' + text + '</li>\n'; }; Renderer.prototype.paragraph = function(text) { return '<p>' + text + '</p>\n'; }; Renderer.prototype.table = function(header, body) { return '<table>\n' + '<thead>\n' + header + '</thead>\n' + '<tbody>\n' + body + '</tbody>\n' + '</table>\n'; }; Renderer.prototype.tablerow = function(content) { return '<tr>\n' + content + '</tr>\n'; }; Renderer.prototype.tablecell = function(content, flags) { var type = flags.header ? 'th' : 'td'; var tag = flags.align ? '<' + type + ' style="text-align:' + flags.align + '">' : '<' + type + '>'; return tag + content + '</' + type + '>\n'; }; // span level renderer Renderer.prototype.strong = function(text) { return '<strong>' + text + '</strong>'; }; Renderer.prototype.em = function(text) { return '<em>' + text + '</em>'; }; Renderer.prototype.codespan = function(text) { return '<code>' + text + '</code>'; }; Renderer.prototype.br = function() { return this.options.xhtml ? '<br/>' : '<br>'; }; Renderer.prototype.del = function(text) { return '<del>' + text + '</del>'; }; Renderer.prototype.link = function(href, title, text) { if (this.options.sanitize) { try { var prot = decodeURIComponent(unescape(href)) .replace(/[^\w:]/g, '') .toLowerCase(); } catch (e) { return ''; } if (prot.indexOf('javascript:') === 0 || prot.indexOf('vbscript:') === 0 || prot.indexOf('data:') === 0) { return ''; } } if (this.options.baseUrl && !originIndependentUrl.test(href)) { href = resolveUrl(this.options.baseUrl, href); } var out = '<a href="' + href + '"'; if (title) { out += ' title="' + title + '"'; } out += '>' + text + '</a>'; return out; }; Renderer.prototype.image = function(href, title, text) { if (this.options.baseUrl && !originIndependentUrl.test(href)) { href = resolveUrl(this.options.baseUrl, href); } var out = '<img src="' + href + '" alt="' + text + '"'; if (title) { out += ' title="' + title + '"'; } out += this.options.xhtml ? '/>' : '>'; return out; }; Renderer.prototype.text = function(text) { return text; }; /** * Parsing & Compiling */ function Parser(options) { this.tokens = []; this.token = null; this.options = options || marked.defaults; this.options.renderer = this.options.renderer || new Renderer; this.renderer = this.options.renderer; this.renderer.options = this.options; } /** * Static Parse Method */ Parser.parse = function(src, options, renderer) { var parser = new Parser(options, renderer); return parser.parse(src); }; /** * Parse Loop */ Parser.prototype.parse = function(src) { this.inline = new InlineLexer(src.links, this.options, this.renderer); this.tokens = src.reverse(); var out = ''; while (this.next()) { out += this.tok(); } return out; }; /** * Next Token */ Parser.prototype.next = function() { return this.token = this.tokens.pop(); }; /** * Preview Next Token */ Parser.prototype.peek = function() { return this.tokens[this.tokens.length - 1] || 0; }; /** * Parse Text Tokens */ Parser.prototype.parseText = function() { var body = this.token.text; while (this.peek().type === 'text') { body += '\n' + this.next().text; } return this.inline.output(body); }; /** * Parse Current Token */ Parser.prototype.tok = function() { switch (this.token.type) { case 'space': { return ''; } case 'hr': { return this.renderer.hr(); } case 'heading': { return this.renderer.heading( this.inline.output(this.token.text), this.token.depth, this.token.text); } case 'code': { return this.renderer.code(this.token.text, this.token.lang, this.token.escaped); } case 'table': { var header = '' , body = '' , i , row , cell , flags , j; // header cell = ''; for (i = 0; i < this.token.header.length; i++) { flags = { header: true, align: this.token.align[i] }; cell += this.renderer.tablecell( this.inline.output(this.token.header[i]), { header: true, align: this.token.align[i] } ); } header += this.renderer.tablerow(cell); for (i = 0; i < this.token.cells.length; i++) { row = this.token.cells[i]; cell = ''; for (j = 0; j < row.length; j++) { cell += this.renderer.tablecell( this.inline.output(row[j]), { header: false, align: this.token.align[j] } ); } body += this.renderer.tablerow(cell); } return this.renderer.table(header, body); } case 'blockquote_start': { var body = ''; while (this.next().type !== 'blockquote_end') { body += this.tok(); } return this.renderer.blockquote(body); } case 'list_start': { var body = '' , ordered = this.token.ordered; while (this.next().type !== 'list_end') { body += this.tok(); } return this.renderer.list(body, ordered); } case 'list_item_start': { var body = ''; while (this.next().type !== 'list_item_end') { body += this.token.type === 'text' ? this.parseText() : this.tok(); } return this.renderer.listitem(body); } case 'loose_item_start': { var body = ''; while (this.next().type !== 'list_item_end') { body += this.tok(); } return this.renderer.listitem(body); } case 'html': { var html = !this.token.pre && !this.options.pedantic ? this.inline.output(this.token.text) : this.token.text; return this.renderer.html(html); } case 'paragraph': { return this.renderer.paragraph(this.inline.output(this.token.text)); } case 'text': { return this.renderer.paragraph(this.parseText()); } } }; /** * Helpers */ function escape(html, encode) { return html .replace(!encode ? /&(?!#?\w+;)/g : /&/g, '&amp;') .replace(/</g, '&lt;') .replace(/>/g, '&gt;') .replace(/"/g, '&quot;') .replace(/'/g, '&#39;'); } function unescape(html) { // explicitly match decimal, hex, and named HTML entities return html.replace(/&(#(?:\d+)|(?:#x[0-9A-Fa-f]+)|(?:\w+));?/g, function(_, n) { n = n.toLowerCase(); if (n === 'colon') return ':'; if (n.charAt(0) === '#') { return n.charAt(1) === 'x' ? String.fromCharCode(parseInt(n.substring(2), 16)) : String.fromCharCode(+n.substring(1)); } return ''; }); } function replace(regex, opt) { regex = regex.source; opt = opt || ''; return function self(name, val) { if (!name) return new RegExp(regex, opt); val = val.source || val; val = val.replace(/(^|[^\[])\^/g, '$1'); regex = regex.replace(name, val); return self; }; } function resolveUrl(base, href) { if (!baseUrls[' ' + base]) { // we can ignore everything in base after the last slash of its path component, // but we might need to add _that_ // https://tools.ietf.org/html/rfc3986#section-3 if (/^[^:]+:\/*[^/]*$/.test(base)) { baseUrls[' ' + base] = base + '/'; } else { baseUrls[' ' + base] = base.replace(/[^/]*$/, ''); } } base = baseUrls[' ' + base]; if (href.slice(0, 2) === '//') { return base.replace(/:[^]*/, ':') + href; } else if (href.charAt(0) === '/') { return base.replace(/(:\/*[^/]*)[^]*/, '$1') + href; } else { return base + href; } } baseUrls = {}; originIndependentUrl = /^$|^[a-z][a-z0-9+.-]*:|^[?#]/i; function noop() {} noop.exec = noop; function merge(obj) { var i = 1 , target , key; for (; i < arguments.length; i++) { target = arguments[i]; for (key in target) { if (Object.prototype.hasOwnProperty.call(target, key)) { obj[key] = target[key]; } } } return obj; } /** * Marked */ function marked(src, opt, callback) { if (callback || typeof opt === 'function') { if (!callback) { callback = opt; opt = null; } opt = merge({}, marked.defaults, opt || {}); var highlight = opt.highlight , tokens , pending , i = 0; try { tokens = Lexer.lex(src, opt) } catch (e) { return callback(e); } pending = tokens.length; var done = function(err) { if (err) { opt.highlight = highlight; return callback(err); } var out; try { out = Parser.parse(tokens, opt); } catch (e) { err = e; } opt.highlight = highlight; return err ? callback(err) : callback(null, out); }; if (!highlight || highlight.length < 3) { return done(); } delete opt.highlight; if (!pending) return done(); for (; i < tokens.length; i++) { (function(token) { if (token.type !== 'code') { return --pending || done(); } return highlight(token.text, token.lang, function(err, code) { if (err) return done(err); if (code == null || code === token.text) { return --pending || done(); } token.text = code; token.escaped = true; --pending || done(); }); })(tokens[i]); } return; } try { if (opt) opt = merge({}, marked.defaults, opt); return Parser.parse(Lexer.lex(src, opt), opt); } catch (e) { e.message += '\nPlease report this to https://github.com/chjj/marked.'; if ((opt || marked.defaults).silent) { return '<p>An error occured:</p><pre>' + escape(e.message + '', true) + '</pre>'; } throw e; } } /** * Options */ marked.options = marked.setOptions = function(opt) { merge(marked.defaults, opt); return marked; }; marked.defaults = { gfm: true, tables: true, breaks: false, pedantic: false, sanitize: false, sanitizer: null, mangle: true, smartLists: false, silent: false, highlight: null, langPrefix: 'lang-', smartypants: false, headerPrefix: '', renderer: new Renderer, xhtml: false, baseUrl: null }; /** * Expose */ marked.Parser = Parser; marked.parser = Parser.parse; marked.Renderer = Renderer; marked.Lexer = Lexer; marked.lexer = Lexer.lex; marked.InlineLexer = InlineLexer; marked.inlineLexer = InlineLexer.output; marked.parse = marked; if (typeof module !== 'undefined' && typeof exports === 'object') { module.exports = marked; } else if (typeof define === 'function' && define.amd) { define(function() { return marked; }); } else { this.marked = marked; } }).call(function() { return this || (typeof window !== 'undefined' ? window : global); }());
jhelbig/postman-linux-app
app/resources/app/node_modules/8fold-marked/lib/marked.js
JavaScript
mit
29,680
// Unit Test (numerical differentiation) #include <gtest/gtest.h> #include <cmath> #include "diff.h" #include "matrix.h" using namespace nmlib; static double f_11(double x){ return cos(x); } static double f_n1(const Matrix& x){ return cos(x(0))*cos(2*x(1)); } static Matrix f_nm(const Matrix& x){ Matrix y(3); y(0)=cos(x(0)-x(1)); y(1)=sin(x(0)-x(1)); y(2)=sin(x(0)); return y; } TEST(diff,gradient11){ for(int i=-10; i<=10; i++){ double x=i*0.9, dx=1.e-3; EXPECT_NEAR(gradient(f_11,x,dx,false), -sin(x), 10.e-6); // df/dx EXPECT_NEAR(gradient(f_11,x,dx,true ), -sin(x), 10.e-12); // higher order version } } TEST(diff,gradientN1){ for(int i=-10; i<=10; i++){ Matrix x(2), dx(2), dy(2); x(0)=i*0.9; x(1)=1.2; dx(0)=1.e-3; dx(1)=1.e-3; dy(0)=-sin(x(0))*cos(2*x(1)); dy(1)=-cos(x(0))*sin(2*x(1))*2; for(size_t j=0; j<x.nrow(); j++){ EXPECT_NEAR(gradient(f_n1,x,j,dx(j),false), dy(j), 10.e-6); // df/dxj EXPECT_NEAR(gradient(f_n1,x,j,dx(j),true ), dy(j), 10.e-12); } EXPECT_NEAR(norm(gradient(f_n1,x,dx,false)-dy), 0, 10.e-6); // (df/dxj)_j EXPECT_NEAR(norm(gradient(f_n1,x,dx,true )-dy), 0, 10.e-12); EXPECT_NEAR(norm(gradient(f_n1,x,dx(0),false)-dy), 0, 10.e-6); EXPECT_NEAR(norm(gradient(f_n1,x,dx(0),true)-dy), 0, 10.e-12); } } TEST(diff,jacobian){ for(int i=-10; i<=10; i++){ Matrix x(2), dx(2), dy(3,2); x(0)=i*0.9; x(1)=1.2; dx(0)=1.e-3; dx(1)=1.e-3; dy(0,0)=-sin(x(0)-x(1)); dy(0,1)=+sin(x(0)-x(1)); dy(1,0)=+cos(x(0)-x(1)); dy(1,1)=-cos(x(0)-x(1)); dy(2,0)=+cos(x(0)); dy(2,1)=0; for(size_t j=0; j<x.nrow(); j++){ EXPECT_NEAR(norm(jacobian(f_nm,x,j,dx(j),false)-getvec(dy,j)), 0, 10.e-6); // (dfi/dxj)_i EXPECT_NEAR(norm(jacobian(f_nm,x,j,dx(j),true )-getvec(dy,j)), 0, 10.e-12); } EXPECT_NEAR(norm(jacobian(f_nm,x,dx,false)-dy), 0, 10.e-6); // (dfi/dxj)_ij EXPECT_NEAR(norm(jacobian(f_nm,x,dx,true )-dy), 0, 10.e-12); EXPECT_NEAR(norm(jacobian(f_nm,x,dx(0),false)-dy), 0, 10.e-6); EXPECT_NEAR(norm(jacobian(f_nm,x,dx(0),true )-dy), 0, 10.e-12); } } TEST(diff,hessian){ Matrix x({1,2}), dx({1.e-3,1.e-3}), h=hessian(f_n1,x,dx); Matrix h1(2,2); h1(0,0) = -cos(x(0))*cos(2*x(1)); h1(1,1) = -cos(x(0))*cos(2*x(1))*4; h1(0,1) = h1(1,0) = +sin(x(0))*sin(2*x(1))*2; EXPECT_NEAR(norm(h-h1), 0, 1.e-5*norm(h)); EXPECT_NEAR(norm(h-tp(h)), 0, 1.e-5*norm(h)); }
nmakimoto/nmlib
test/gtest_diff.cpp
C++
mit
2,456
import React from "react"; import { Message } from "semantic-ui-react"; import Bracket from "./Bracket"; import "./index.scss"; import parseStats from './parseStats'; export default class Brackets extends React.PureComponent { constructor(props) { super(props); this.state = { data: this.updateStats(props), }; } componentWillReceiveProps(nextProps) { if (nextProps.stats !== this.props.stats) { this.setState({ data: this.updateStats(nextProps), }); } } updateStats = (props) => { return parseStats(props.stats); }; render () { if (!this.props.stats) { return ( <Message>Waiting for Tournament Stats...</Message> ); } return ( <div> {this.state.data.map((bracket, $index) => ( <div className="tournament-bracket" key={ bracket.match.matchID }> <Bracket finished={ this.props.stats.finished } item={bracket} key={$index} totalGames={ this.props.stats.options.numberOfGames } /> </div> ))} </div> ); } }
socialgorithm/ultimate-ttt-web
src/components/Lobby/Tournament/types/Brackets/index.js
JavaScript
mit
1,151
define([ 'backbone', 'metro', 'util' ], function(Backbone, Metro, Util) { var MotivationBtnView = Backbone.View.extend({ className: 'motivation-btn-view menu-btn', events: { 'click': 'toggle', 'mouseover': 'over', 'mouseout': 'out', }, initialize: function(){ //ensure correct scope _.bindAll(this, 'render', 'unrender', 'toggle', 'over', 'out'); //initial param this.motivationView = new MotivationView(); //add to page this.render(); }, render: function() { var $button = $('<span class="mif-compass">'); $(this.el).html($button); $(this.el).attr('title', 'motivation...'); $('body > .container').append($(this.el)); return this; }, unrender: function() { this.drawElementsView.unrender(); $(this.el).remove(); }, toggle: function() { this.drawElementsView.toggle(); }, over: function() { $(this.el).addClass('expand'); }, out: function() { $(this.el).removeClass('expand'); } }); var MotivationView = Backbone.View.extend({ className: 'motivation-view', events: { 'click .draw': 'draw', 'click .clean': 'clean', 'change .input-type > select': 'clean' }, initialize: function(){ //ensure correct scope _.bindAll(this, 'render', 'unrender', 'toggle', 'drawMotivation', 'drawGPS', 'drawAssignedSection', 'drawAugmentedSection'); //motivation param this.param = {}; this.param.o_lng = 114.05604600906372; this.param.o_lat = 22.551225247189432; this.param.d_lng = 114.09120440483093; this.param.d_lat = 22.545463347318833; this.param.path = "33879,33880,33881,33882,33883,33884,33885,41084,421,422,423,2383,2377,2376,2334,2335,2565,2566,2567,2568,2569,2570,2571,2572,2573,39716,39717,39718,39719,39720,39721,39722,39723,448,39677,39678"; //GPS param this.param.gps = "114.05538082122803,22.551086528436926#114.05844390392303,22.551324331927283#114.06151771545409,22.551264881093118#114.06260132789612,22.54908499948478#114.06269788742065,22.5456862971879#114.06271934509277,22.54315951091646#114.06271934509277,22.538938188315093#114.06284809112547,22.53441944644356"; //assigned section param this.param.assign = "33878,33881,33883,2874,2877,2347,937,941"; //augmented section param //33878,33879,33880,33881,33882,33883,2874,2875,2876,2877,2878,2347,935,936,937,938,939,940,941, this.param.augment = "33879,33880,33882,2875,2876,2878,935,936,938,939,940"; //add to page this.render(); }, render: function() { //this.drawMotivation(); this.drawAssignedSection(); this.drawAugmentedSection(); this.drawGPS(); return this; }, unrender: function() { $(this.el).remove(); }, toggle: function() { $(this.el).css('display') == 'none' ? $(this.el).show() : $(this.el).hide(); }, drawMotivation: function() { $.get('api/trajectories/motivation', this.param, function(data){ Backbone.trigger('MapView:drawMotivation', data); }); }, drawGPS: function() { var self = this; setTimeout(function() { var points = self.param.gps.split('#'); _.each(points, function(point_text, index) { var data = {}; data.geojson = self._getPoint(point_text); data.options = {}; Backbone.trigger('MapView:drawSampleGPSPoint', data); }); }, 2000); }, drawAssignedSection: function() { $.get('api/elements/sections', {id: this.param.assign}, function(data){ Backbone.trigger('MapView:drawSampleAssignedSection', data); }); }, drawAugmentedSection: function() { $.get('api/elements/sections', {id: this.param.augment}, function(data){ Backbone.trigger('MapView:drawSampleAugmentedSection', data); }); }, _getPoint: function(text) { var point = text.split(','); var geojson = { "type": "FeatureCollection", "features":[{ "type": "Feature", "geometry": { "type": "Point", "coordinates": [parseFloat(point[0]), parseFloat(point[1])] } }] }; return geojson; }, }); return MotivationBtnView; });
AjaxJackjia/TGA
WebContent/module/view/tools/MotivationBtnView.js
JavaScript
mit
4,112
<?php /** * Switch shortcode * * @category TacticalWP-Theme * @package TacticalWP * @author Tyler Kemme <dev@tylerkemme.com> * @license MIT https://opensource.org/licenses/MIT * @version 1.0.4 * @link https://github.com/tpkemme/tacticalwp-theme * @since 1.0.0 */ /** * Outputs an switch when the [twp-switch] is used * * @param [string] $atts shortcode attributes, required. * @param [string] $content shortcode content, optional. * @return output of shortcode * @since 1.0.0 * @version 1.0.4 */ function twp_switch( $atts, $content = '' ) { $atts = shortcode_atts( array( 'id' => wp_generate_password( 6, false ), 'size' => 'small', ), $atts, 'twp-switch' ); $out = ''; $out .= '<div class="switch ' . $atts['size'] . '"> <input class="switch-input" id="' . $atts['id'] . '" type="checkbox" name="' . $atts['id'] . '""> <label class="switch-paddle" for="' . $atts['id'] . '"> <span class="show-for-sr">Tiny Sandwiches Enabled</span> </label> </div>'; return $out; } add_shortcode( 'twp-switch', 'twp_switch' );
tpkemme/tacticalwp-theme
library/shortcode/switch.php
PHP
mit
1,075
from setuptools import setup, find_packages from codecs import open from os import path here = path.abspath(path.dirname(__file__)) # Get the long description from the README file with open(path.join(here, 'README.rst'), encoding='utf-8') as f: long_description = f.read() setup( name='fcit', # Versions should comply with PEP440. For a discussion on single-sourcing # the version across setup.py and the project code, see # https://packaging.python.org/en/latest/single_source_version.html version='1.2.0', description='A decision-tree based conditional independence test', long_description=long_description, # The project's main homepage. url = 'https://github.com/kjchalup/fcit', # Author details author = 'Krzysztof Chalupka', author_email = 'janchatko@gmail.com', # Choose your license license='MIT', # See https://pypi.python.org/pypi?%3Aaction=list_classifiers classifiers=[ # How mature is this project? Common values are # 3 - Alpha # 4 - Beta # 5 - Production/Stable 'Development Status :: 3 - Alpha', # Indicate who your project is intended for 'Intended Audience :: Science/Research', 'Topic :: Scientific/Engineering :: Artificial Intelligence', # Pick your license as you wish (should match "license" above) 'License :: OSI Approved :: MIT License', # Specify the Python versions you support here. In particular, ensure # that you indicate whether you support Python 2, Python 3 or both. 'Programming Language :: Python :: 2', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.3', 'Programming Language :: Python :: 3.4', 'Programming Language :: Python :: 3.5', ], # What does your project relate to? keywords='machine learning statistics decision trees', # You can just specify the packages manually here if your project is # simple. Or you can use find_packages(). packages=find_packages(exclude=['contrib', 'docs', 'tests']), # Alternatively, if you want to distribute just a my_module.py, uncomment # this: # py_modules=["my_module"], # List run-time dependencies here. These will be installed by pip when # your project is installed. For an analysis of "install_requires" vs pip's # requirements files see: # https://packaging.python.org/en/latest/requirements.html install_requires=['numpy', 'sklearn', 'scipy', 'joblib'], )
kjchalup/dtit
setup.py
Python
mit
2,610
import pandas as pd import os import time from datetime import datetime import re from time import mktime import matplotlib import matplotlib.pyplot as plt from matplotlib import style style.use("dark_background") # path = "X:/Backups/intraQuarter" # for Windows with X files :) # if git clone'ed then use relative path, # assuming you extracted the downloaded zip into this project's folder: path = "intraQuarter" def Key_Stats(gather="Total Debt/Equity (mrq)"): statspath = path+'/_KeyStats' stock_list = [x[0] for x in os.walk(statspath)] df = pd.DataFrame( columns = [ 'Date', 'Unix', 'Ticker', 'DE Ratio', 'Price', 'stock_p_change', 'SP500', 'sp500_p_change', 'Difference', 'Status' ] ) sp500_df = pd.DataFrame.from_csv("YAHOO-INDEX_GSPC.csv") ticker_list = [] for each_dir in stock_list[1:25]: each_file = os.listdir(each_dir) # ticker = each_dir.split("\\")[1] # Windows only # ticker = each_dir.split("/")[1] # this didn't work so do this: ticker = os.path.basename(os.path.normpath(each_dir)) # print(ticker) # uncomment to verify ticker_list.append(ticker) starting_stock_value = False starting_sp500_value = False if len(each_file) > 0: for file in each_file: date_stamp = datetime.strptime(file, '%Y%m%d%H%M%S.html') unix_time = time.mktime(date_stamp.timetuple()) full_file_path = each_dir + '/' + file source = open(full_file_path,'r').read() try: try: value = float(source.split(gather+':</td><td class="yfnc_tabledata1">')[1].split('</td>')[0]) except: value = float(source.split(gather+':</td>\n<td class="yfnc_tabledata1">')[1].split('</td>')[0]) try: sp500_date = datetime.fromtimestamp(unix_time).strftime('%Y-%m-%d') row = sp500_df[(sp500_df.index == sp500_date)] sp500_value = float(row['Adjusted Close']) except: sp500_date = datetime.fromtimestamp(unix_time-259200).strftime('%Y-%m-%d') row = sp500_df[(sp500_df.index == sp500_date)] sp500_value = float(row['Adjusted Close']) try: stock_price = float(source.split('</small><big><b>')[1].split('</b></big>')[0]) except: try: stock_price = (source.split('</small><big><b>')[1].split('</b></big>')[0]) #print(stock_price) stock_price = re.search(r'(\d{1,8}\.\d{1,8})', stock_price) stock_price = float(stock_price.group(1)) #print(stock_price) except: try: stock_price = (source.split('<span class="time_rtq_ticker">')[1].split('</span>')[0]) #print(stock_price) stock_price = re.search(r'(\d{1,8}\.\d{1,8})', stock_price) stock_price = float(stock_price.group(1)) #print(stock_price) except: print('wtf stock price lol',ticker,file, value) time.sleep(5) if not starting_stock_value: starting_stock_value = stock_price if not starting_sp500_value: starting_sp500_value = sp500_value stock_p_change = ((stock_price - starting_stock_value) / starting_stock_value) * 100 sp500_p_change = ((sp500_value - starting_sp500_value) / starting_sp500_value) * 100 location = len(df['Date']) difference = stock_p_change-sp500_p_change if difference > 0: status = "outperform" else: status = "underperform" df = df.append({'Date':date_stamp, 'Unix':unix_time, 'Ticker':ticker, 'DE Ratio':value, 'Price':stock_price, 'stock_p_change':stock_p_change, 'SP500':sp500_value, 'sp500_p_change':sp500_p_change, ############################ 'Difference':difference, 'Status':status}, ignore_index=True) except Exception as e: pass #print(ticker,e,file, value) #print(ticker_list) #print(df) for each_ticker in ticker_list: try: plot_df = df[(df['Ticker'] == each_ticker)] plot_df = plot_df.set_index(['Date']) if plot_df['Status'][-1] == 'underperform': color = 'r' else: color = 'g' plot_df['Difference'].plot(label=each_ticker, color=color) plt.legend() except Exception as e: print(str(e)) plt.show() save = gather.replace(' ','').replace(')','').replace('(','').replace('/','')+str('.csv') print(save) df.to_csv(save) Key_Stats()
PythonProgramming/Support-Vector-Machines---Basics-and-Fundamental-Investing-Project
p10.py
Python
mit
4,949
/* * App Actions * * Actions change things in your application * Since this boilerplate uses a uni-directional data flow, specifically redux, * we have these actions which are the only way your application interacts with * your application state. This guarantees that your state is up to date and nobody * messes it up weirdly somewhere. * * To add a new Action: * 1) Import your constant * 2) Add a function like this: * export function yourAction(var) { * return { type: YOUR_ACTION_CONSTANT, var: var } * } */ import { LOAD_SONGS, LOAD_SONGS_SUCCESS, LOAD_SONGS_ERROR, } from './constants'; // /** // * Load the repositories, this action starts the request saga // * // * @return {object} An action object with a type of LOAD_REPOS // */ export function loadSongs() { return { type: LOAD_SONGS, }; } // /** // * Dispatched when the repositories are loaded by the request saga // * // * @param {array} repos The repository data // * @param {string} username The current username // * // * @return {object} An action object with a type of LOAD_REPOS_SUCCESS passing the repos // */ export function songsLoaded(repos, username) { return { type: LOAD_SONGS_SUCCESS, repos, username, }; } // /** // * Dispatched when loading the repositories fails // * // * @param {object} error The error // * // * @return {object} An action object with a type of LOAD_REPOS_ERROR passing the error // */ export function songsLoadingError(error) { return { type: LOAD_SONGS_ERROR, error, }; }
madHEYsia/Muzk
app/containers/App/actions.js
JavaScript
mit
1,581
package cmd import ( "errors" "github.com/cretz/go-safeclient/client" "github.com/spf13/cobra" "log" "os" ) var lsShared bool var lsCmd = &cobra.Command{ Use: "ls [dir]", Short: "Fetch directory information", RunE: func(cmd *cobra.Command, args []string) error { if len(args) != 1 { return errors.New("One and only one argument allowed") } c, err := getClient() if err != nil { log.Fatalf("Unable to obtain client: %v", err) } info := client.GetDirInfo{DirPath: args[0], Shared: lsShared} dir, err := c.GetDir(info) if err != nil { log.Fatalf("Failed to list dir: %v", err) } writeDirResponseTable(os.Stdout, dir) return nil }, } func init() { lsCmd.Flags().BoolVarP(&lsShared, "shared", "s", false, "Use shared area for user") RootCmd.AddCommand(lsCmd) }
cretz/go-safeclient
cmd/ls.go
GO
mit
804
const simple_sort = (key, a, b) => { if (a[key] < b[key]) return -1 if (a[key] > b[key]) return 1 return 0 } const name_sort = (a, b) => simple_sort('name', a, b) const skill_sort = (a, b) => simple_sort('skill', a, b) const speed_sort = (a, b) => simple_sort('speed', a, b) export { simple_sort, name_sort, skill_sort, speed_sort }
stevegood/tython
util/sorting.js
JavaScript
mit
348
export { default } from './EditData';
caspg/datamaps.co
src/pages/Editor/pages/MapEditor/pages/EditData/index.js
JavaScript
mit
38
using System.Xml.Linq; namespace Lux.Serialization.Xml { public interface IXmlConfigurable { void Configure(XElement element); } }
LazyTarget/Lux
src/Lux/Serialization/Xml/Interfaces/IXmlConfigurable.cs
C#
mit
154
<?php /* Section: signup Language: Hungarian Translator: uno20001 <regisztralo111@gmail.com> */ $translations = array( 'h1' => 'Regisztráció', 'mysql-db-name' => 'MySQL adatbázis név', 'mysql-user-name' => 'MySQL felhasználónév', 'mysql-user-password' => 'MySQL jelszó', 'mysql-user-password-verification' => 'MySQL jelszó megerősítése', 'email-address' => 'Email cím', 'agree-conditions' => 'Elolvastam a <a href="conditions.php">felhasználási feltételeket</a> és egyetértek velük.', 'ph1' => '6-16 karakter, nem lehet nagybetű, az 1. karakternek betűnek kell lennie.', 'ph2' => 'Min. 8 karakter.', 'ph3' => 'Írd be az email címed', 'explanation' => 'A felhasználónév és az adatbázis név tartalmazhat kisbetűket, számokat és \'_\' (aláhúzás) karaktert, a hosszának 6 és 16 karakter között kell lennie. Nem használhatsz <a href="https://dev.mysql.com/doc/refman/8.0/en/keywords.html">a MySQL számára fenntartott szavakat</a>!', 'maintenance-notice' => 'Karbantartás miatt a regisztráció jelenleg nem érhető el.', 'agm-p1' => 'A regisztrációddal elfogadod a következőket:', 'agm-li1' => 'A db4free.net egy tesztelési környezet', 'agm-li2' => 'A db4free.net nem megfelelő nem teszt jellegű használathoz', 'agm-li3' => 'Ha úgy döntesz, hogy nem teszt jellegű dolgokhoz kívánod használni a db4free.net-et, akkor azt csak a saját felelősségedre tedd (a nagyon gyakori mentések nagyon ajánlottak)', 'agm-li4' => 'Adatvesztések és üzemidő kiesések bármikor történhetnek (az ezzel kapcsolatos panaszok valószínűleg figyelmen kívül lesznek hagyva)', 'agm-li5' => 'A db4free.net csapata nem biztosít semmilyen garanciát, felelősséget', 'agm-li6' => 'A db4free.net csapata fenntartja a jogot, hogy bármikor, figyelmeztetés nélkül törölje az adatbázisod és/vagy fiókod', 'agm-li7' => 'A db4free.net-tel kapcsolatos legfrissebb információkat elérheted a <a href="twitter.php">Twitteren</a> és a <a href="blog.php">db4free.net blogon</a>', 'agm-li8' => 'A db4free.net csak MySQL adatbázist biztosít, nem ad webtárhelyet (nincs lehetőséged itt tárolni a fájljaidat)', 'agm-p2' => 'Továbbiakban:', 'agm-li9' => 'A db4free.net egy tesztelő szolgáltatás, nem "éles" szolgáltatásokhoz készült. Azok az adatbázisok, amelyek 200 MB-nál több adatot tartalmaznak, értesítés nélkül kiürítésre kerülnek.', 'agm-li10' => 'Kérlek <a href="/delete-account.php">távolítsd el</a> azokat az adatokat és/vagy fiókot amikre/amelyre már nincs szükséged. Ez megkönnyíti a ténylegesen használt adatok visszaállítását, ha a szerver "összeomlik"', 'signup-error1' => 'El kell fogadnod a felhasználási feltételeket!', 'signup-error2' => 'Hiba lépett fel a regisztráció során!', 'signup-error3' => 'Hiba lépett fel a megerősítő email küldése közben!', 'signup-success' => 'Köszönjük a regisztrációt! Hamarosan kapsz egy megerősítő emailt!', ); ?>
mpopp75/db4free-net-l10n
hu/signup.php
PHP
mit
3,111
// ========================================================================== // DG.ScatterPlotModel // // Author: William Finzer // // Copyright (c) 2014 by The Concord Consortium, Inc. All rights reserved. // // 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. // ========================================================================== sc_require('components/graph/plots/plot_model'); sc_require('components/graph/plots/numeric_plot_model_mixin'); /** @class DG.ScatterPlotModel @extends DG.PlotModel */ DG.ScatterPlotModel = DG.PlotModel.extend(DG.NumericPlotModelMixin, /** @scope DG.ScatterPlotModel.prototype */ { /** * * @param iPlace {DG.GraphTypes.EPlace} * @return { class } */ getDesiredAxisClassFor: function( iPlace) { if( iPlace === DG.GraphTypes.EPlace.eX || iPlace === DG.GraphTypes.EPlace.eY) return DG.CellLinearAxisModel; else if(iPlace === DG.GraphTypes.EPlace.eY2) { return (this.getPath('dataConfiguration.y2AttributeID') === DG.Analysis.kNullAttribute) ? DG.AxisModel : DG.CellLinearAxisModel; } }, /** @property { DG.MovablePointModel } */ movablePoint: null, /** @property { Boolean } */ isMovablePointVisible: function () { return !SC.none(this.movablePoint) && this.movablePoint.get('isVisible'); }.property(), isMovablePointVisibleDidChange: function() { this.notifyPropertyChange('isMovablePointVisible'); }.observes('*movablePoint.isVisible'), /** @property { DG.MovableLineModel } */ movableLine: null, /** @property { Boolean, read only } */ isMovableLineVisible: function () { return !SC.none(this.movableLine) && this.movableLine.get('isVisible'); }.property(), isMovableLineVisibleDidChange: function() { this.notifyPropertyChange('isMovableLineVisible'); }.observes('*movableLine.isVisible'), /** @property { DG.MultipleLSRLsModel } */ multipleLSRLs: null, /** @property { Boolean, read only } */ isLSRLVisible: function () { return !SC.none(this.multipleLSRLs) && this.multipleLSRLs.get('isVisible'); }.property(), isLSRLVisibleDidChange: function() { this.notifyPropertyChange('isLSRLVisible'); }.observes('*multipleLSRLs.isVisible'), /** @property { Boolean } */ isInterceptLocked: function ( iKey, iValue) { if( !SC.none( iValue)) { this.setPath('movableLine.isInterceptLocked', iValue); this.setPath('multipleLSRLs.isInterceptLocked', iValue); } return !SC.none(this.movableLine) && this.movableLine.get('isInterceptLocked') || !SC.none(this.multipleLSRLs) && this.multipleLSRLs.get('isInterceptLocked'); }.property(), isInterceptLockedDidChange: function() { this.notifyPropertyChange('isInterceptLocked'); }.observes('*movableLine.isInterceptLocked', '*multipleLSRLs.isInterceptLocked'), /** @property { Boolean } */ areSquaresVisible: false, /** * Used for notification * @property{} */ squares: null, init: function() { sc_super(); this.addObserver('movableLine.slope',this.lineDidChange); this.addObserver('movableLine.intercept',this.lineDidChange); }, destroy: function() { this.removeObserver('movableLine.slope',this.lineDidChange); this.removeObserver('movableLine.intercept',this.lineDidChange); sc_super(); }, dataConfigurationDidChange: function() { sc_super(); var tDataConfiguration = this.get('dataConfiguration'); if( tDataConfiguration) { tDataConfiguration.set('sortCasesByLegendCategories', false); // This is a cheat. The above line _should_ bring this about, but I couldn't make it work properly tDataConfiguration.invalidateCaches(); } }.observes('dataConfiguration'), /** Returns true if the plot is affected by the specified change such that a redraw is required, false otherwise. @param {Object} iChange -- The change request to/from the DataContext @returns {Boolean} True if the plot must redraw, false if it is unaffected */ isAffectedByChange: function (iChange) { if (!iChange || !iChange.operation) return false; return sc_super() || (this.isAdornmentVisible('connectingLine') && (iChange.operation === 'moveAttribute' || iChange.operation === 'moveCases')); }, /** * Used for notification */ lineDidChange: function () { SC.run(function() { this.notifyPropertyChange('squares'); }.bind(this)); }, /** * Utility function to create a movable line when needed */ createMovablePoint: function () { if (SC.none(this.movablePoint)) { this.beginPropertyChanges(); this.set('movablePoint', DG.MovablePointModel.create( { plotModel: this })); this.movablePoint.recomputeCoordinates(this.get('xAxis'), this.get('yAxis')); this.endPropertyChanges(); } }, /** * Utility function to create a movable line when needed */ createMovableLine: function () { if (SC.none(this.movableLine)) { this.beginPropertyChanges(); this.set('movableLine', DG.MovableLineModel.create( { plotModel: this, showSumSquares: this.get('areSquaresVisible') })); this.movableLine.recomputeSlopeAndIntercept(this.get('xAxis'), this.get('yAxis')); this.endPropertyChanges(); } }, squaresVisibilityChanged: function() { var tMovableLine = this.get('movableLine'), tMultipleLSRLs = this.get('multipleLSRLs'), tSquaresVisible = this.get('areSquaresVisible'); if( tMovableLine) tMovableLine.set('showSumSquares', tSquaresVisible); if( tMultipleLSRLs) tMultipleLSRLs.set('showSumSquares', tSquaresVisible); }.observes('areSquaresVisible'), enableMeasuresForSelectionDidChange: function(){ sc_super(); this.setPath('multipleLSRLs.enableMeasuresForSelection', this.get('enableMeasuresForSelection')); }.observes('enableMeasuresForSelection'), /** If we need to make a movable line, do so. In any event toggle its visibility. */ toggleMovablePoint: function () { var this_ = this; function toggle() { function doToggle( iPlot) { if (SC.none(iPlot.movablePoint)) { iPlot.createMovablePoint(); // Default is to be visible } else { iPlot.movablePoint.recomputePositionIfNeeded(iPlot.get('xAxis'), iPlot.get('yAxis')); iPlot.movablePoint.set('isVisible', !iPlot.movablePoint.get('isVisible')); } } doToggle( this_); this_.get('siblingPlots').forEach( doToggle); } var willShow = !this.movablePoint || !this.movablePoint.get('isVisible'); DG.UndoHistory.execute(DG.Command.create({ name: "graph.toggleMovablePoint", undoString: (willShow ? 'DG.Undo.graph.showMovablePoint' : 'DG.Undo.graph.hideMovablePoint'), redoString: (willShow ? 'DG.Redo.graph.showMovablePoint' : 'DG.Redo.graph.hideMovablePoint'), log: "toggleMovablePoint: %@".fmt(willShow ? "show" : "hide"), executeNotification: { action: 'notify', resource: 'component', values: { operation: 'toggle movable point', type: 'DG.GraphView' } }, execute: function () { toggle(); }, undo: function () { toggle(); } })); }, /** If we need to make a movable line, do so. In any event toggle its visibility. */ toggleMovableLine: function () { var this_ = this; function toggle() { function doToggle(iPlot) { if (SC.none(iPlot.movableLine)) { iPlot.createMovableLine(); // Default is to be visible } else { iPlot.movableLine.recomputeSlopeAndInterceptIfNeeded(iPlot.get('xAxis'), iPlot.get('yAxis')); iPlot.movableLine.set('isVisible', !iPlot.movableLine.get('isVisible')); } } doToggle( this_); this_.get('siblingPlots').forEach( doToggle); } var willShow = !this.movableLine || !this.movableLine.get('isVisible'); DG.UndoHistory.execute(DG.Command.create({ name: "graph.toggleMovableLine", undoString: (willShow ? 'DG.Undo.graph.showMovableLine' : 'DG.Undo.graph.hideMovableLine'), redoString: (willShow ? 'DG.Redo.graph.showMovableLine' : 'DG.Redo.graph.hideMovableLine'), log: "toggleMovableLine: %@".fmt(willShow ? "show" : "hide"), executeNotification: { action: 'notify', resource: 'component', values: { operation: 'toggle movable line', type: 'DG.GraphView' } }, execute: function () { toggle(); }, undo: function () { toggle(); } })); }, /** * Utility function to create the multipleLSRLs object when needed */ createLSRLLines: function () { if (SC.none(this.multipleLSRLs)) { this.set('multipleLSRLs', DG.MultipleLSRLsModel.create( { plotModel: this, showSumSquares: this.get('areSquaresVisible'), isInterceptLocked: this.get('isInterceptLocked'), enableMeasuresForSelection: this.get('enableMeasuresForSelection') })); this.setPath('multipleLSRLs.isVisible', true); } }, /** If we need to make a movable line, do so. In any event toggle its visibility. */ toggleLSRLLine: function () { var this_ = this; function toggle() { function doToggle( iPlot) { if (SC.none(iPlot.get('multipleLSRLs'))) { iPlot.createLSRLLines(); } else { iPlot.setPath('multipleLSRLs.isVisible', !iPlot.getPath('multipleLSRLs.isVisible')); } } doToggle( this_); this_.get('siblingPlots').forEach( doToggle); } var willShow = !this.multipleLSRLs || !this.multipleLSRLs.get('isVisible'); DG.UndoHistory.execute(DG.Command.create({ name: "graph.toggleLSRLLine", undoString: (willShow ? 'DG.Undo.graph.showLSRL' : 'DG.Undo.graph.hideLSRL'), redoString: (willShow ? 'DG.Redo.graph.showLSRL' : 'DG.Redo.graph.hideLSRL'), log: "toggleLSRL: %@".fmt(willShow ? "show" : "hide"), executeNotification: { action: 'notify', resource: 'component', values: { operation: 'toggle LSRL', type: 'DG.GraphView' } }, execute: function () { toggle(); }, undo: function () { toggle(); } })); }, /** If we need to make a movable line, do so. In any event toggle whether its intercept is locked. */ toggleInterceptLocked: function () { var this_ = this; function toggle() { function doToggle( iPlot) { if (!SC.none(iPlot.movableLine)) { iPlot.movableLine.toggleInterceptLocked(); iPlot.movableLine.recomputeSlopeAndInterceptIfNeeded(iPlot.get('xAxis'), iPlot.get('yAxis')); } if (!SC.none(iPlot.multipleLSRLs)) { iPlot.multipleLSRLs.toggleInterceptLocked(); } } doToggle( this_); this_.get('siblingPlots').forEach( doToggle); } function gatherUndoData() { function doGatherUndoData( iPlot) { tResult.push( { movableLine: iPlot.movableLine ? iPlot.movableLine.createStorage() : null, lsrlStorage: iPlot.multipleLSRLs ? iPlot.multipleLSRLs.createStorage() : null }); } var tResult = []; doGatherUndoData( this_); this_.get('siblingPlots').forEach( doGatherUndoData); return tResult; } function restoreFromUndoData( iUndoData) { function doRestoreFromUndoData( iPlot, iIndexMinusOne) { var tUndoData = iUndoData[ iIndexMinusOne + 1]; if( iPlot.movableLine) iPlot.movableLine.restoreStorage(tUndoData.movableLine); if( iPlot.multipleLSRLs) iPlot.multipleLSRLs.restoreStorage(tUndoData.lsrlStorage); } doRestoreFromUndoData( this_, -1); this_.get('siblingPlots').forEach( doRestoreFromUndoData); } var willLock = (this.movableLine && !this.movableLine.get('isInterceptLocked')) || (this.multipleLSRLs && !this.multipleLSRLs.get('isInterceptLocked')); DG.UndoHistory.execute(DG.Command.create({ name: "graph.toggleLockIntercept", undoString: (willLock ? 'DG.Undo.graph.lockIntercept' : 'DG.Undo.graph.unlockIntercept'), redoString: (willLock ? 'DG.Redo.graph.lockIntercept' : 'DG.Redo.graph.unlockIntercept'), log: "lockIntercept: %@".fmt(willLock), executeNotification: { action: 'notify', resource: 'component', values: { operation: 'toggle lock intercept', type: 'DG.GraphView' } }, execute: function () { this._undoData = gatherUndoData(); toggle(); }, undo: function () { restoreFromUndoData( this._undoData); this._undoData = null; } })); }, /** If we need to make a plotted function, do so. In any event toggle its visibility. */ togglePlotFunction: function () { var this_ = this; function toggle() { function doToggle( iPlot) { iPlot.toggleAdornmentVisibility('plottedFunction', 'togglePlotFunction'); } this_.get('siblingPlots').forEach( doToggle); doToggle( this_); } function connectFunctions() { var tSiblingPlots = this_.get('siblingPlots'), tMasterPlottedFunction = this_.getAdornmentModel('plottedFunction'); tMasterPlottedFunction.set('siblingPlottedFunctions', tSiblingPlots.map( function( iPlot) { return iPlot.getAdornmentModel( 'plottedFunction'); })); } var willShow = !this.isAdornmentVisible('plottedFunction'); DG.UndoHistory.execute(DG.Command.create({ name: "graph.togglePlotFunction", undoString: (willShow ? 'DG.Undo.graph.showPlotFunction' : 'DG.Undo.graph.hidePlotFunction'), redoString: (willShow ? 'DG.Redo.graph.showPlotFunction' : 'DG.Redo.graph.hidePlotFunction'), log: "togglePlotFunction: %@".fmt(willShow ? "show" : "hide"), executeNotification: { action: 'notify', resource: 'component', values: { operation: 'toggle plot function', type: 'DG.GraphView' } }, execute: function () { toggle(); connectFunctions(); }, undo: function () { toggle(); this_.getAdornmentModel('plottedFunction').set('siblingPlottedFunctions', null); } })); }, /** If we need to make a connecting line, do so. In any event toggle its visibility. */ toggleConnectingLine: function () { var this_ = this; function toggle() { function doToggle( iPlot) { var tAdornModel = iPlot.toggleAdornmentVisibility('connectingLine', 'toggleConnectingLine'); if (tAdornModel && tAdornModel.get('isVisible')) tAdornModel.recomputeValue(); // initialize } doToggle( this_); this_.get('siblingPlots').forEach( doToggle); } var willShow = !this.isAdornmentVisible('connectingLine'); DG.UndoHistory.execute(DG.Command.create({ name: "graph.toggleConnectingLine", undoString: (willShow ? 'DG.Undo.graph.showConnectingLine' : 'DG.Undo.graph.hideConnectingLine'), redoString: (willShow ? 'DG.Redo.graph.showConnectingLine' : 'DG.Redo.graph.hideConnectingLine'), log: "toggleConnectingLine: %@".fmt(willShow ? "show" : "hide"), executeNotification: { action: 'notify', resource: 'component', values: { operation: 'toggle connecting line', type: 'DG.GraphView' } }, execute: function () { toggle(); }, undo: function () { toggle(); } })); }, /** * Toggle where the squares drawn from points to lines and functions are being shown */ toggleShowSquares: function () { var this_ = this; function toggle() { function doToggle( iPlot) { iPlot.set('areSquaresVisible', !iPlot.get('areSquaresVisible')); } doToggle( this_); this_.get('siblingPlots').forEach( doToggle); } var willShow = !this.get('areSquaresVisible'); DG.UndoHistory.execute(DG.Command.create({ name: "graph.toggleShowSquares", undoString: (willShow ? 'DG.Undo.graph.showSquares' : 'DG.Undo.graph.hideSquares'), redoString: (willShow ? 'DG.Redo.graph.showSquares' : 'DG.Redo.graph.hideSquares'), log: "toggleShowSquares: %@".fmt(willShow ? "show" : "hide"), executeNotification: { action: 'notify', resource: 'component', values: { operation: 'toggle show squares', type: 'DG.GraphView' } }, execute: function () { toggle(); }, undo: function () { toggle(); } })); }, handleDataConfigurationChange: function (iKey) { sc_super(); this.rescaleAxesFromData(iKey !== 'hiddenCases', /* allow scale shrinkage */ true /* do animation */); var adornmentModel = this.getAdornmentModel('connectingLine'); if (adornmentModel) { adornmentModel.setComputingNeeded(); // invalidate if axis model/attribute change } }, /** Each axis should rescale based on the values to be plotted with it. @param{Boolean} Default is false @param{Boolean} Default is true @param{Boolean} Default is false */ rescaleAxesFromData: function (iAllowScaleShrinkage, iAnimatePoints, iLogIt, isUserAction) { if (iAnimatePoints === undefined) iAnimatePoints = true; this.doRescaleAxesFromData([DG.GraphTypes.EPlace.eX, DG.GraphTypes.EPlace.eY, DG.GraphTypes.EPlace.eY2], iAllowScaleShrinkage, iAnimatePoints, isUserAction); if (iLogIt && !isUserAction) DG.logUser("rescaleScatterplot"); }, /** @param{ {x: {Number}, y: {Number} } } @param{Number} */ dilate: function (iFixedPoint, iFactor) { this.doDilation([DG.GraphTypes.EPlace.eX, DG.GraphTypes.EPlace.eY], iFixedPoint, iFactor); }, /** * Return a list of objects { key, class, useAdornmentModelsArray, storage } * Subclasses should override calling sc_super first. * @return {[Object]} */ getAdornmentSpecs: function() { var tSpecs = sc_super(), this_ = this; ['movablePoint', 'movableLine', 'multipleLSRLs'].forEach( function( iKey) { var tAdorn = this_.get( iKey); if (tAdorn) tSpecs.push({ key: iKey, "class": tAdorn.constructor, useAdornmentModelsArray: false, storage: tAdorn.createStorage() }); }); DG.ObjectMap.forEach( this._adornmentModels, function( iKey, iAdorn) { tSpecs.push( { key: iKey, "class": iAdorn.constructor, useAdornmentModelsArray: true, storage: iAdorn.createStorage() }); }); return tSpecs; }, /** * Base class will do most of the work. We just have to finish up setting the axes. * @param {DG.PlotModel} iSourcePlot */ installAdornmentModelsFrom: function( iSourcePlot) { sc_super(); var tMovablePoint = this.get('movablePoint'); if (tMovablePoint) { tMovablePoint.set('xAxis', this.get('xAxis')); tMovablePoint.set('yAxis', this.get('yAxis')); tMovablePoint.recomputeCoordinates(this.get('xAxis'), this.get('yAxis')); } var tMultipleLSRLs = this.get('multipleLSRLs'); if (tMultipleLSRLs) { tMultipleLSRLs.recomputeSlopeAndInterceptIfNeeded(this.get('xAxis'), this.get('yAxis')); } }, checkboxDescriptions: function () { var this_ = this; return sc_super().concat([ { title: 'DG.Inspector.graphConnectingLine', value: this_.isAdornmentVisible('connectingLine'), classNames: 'dg-graph-connectingLine-check'.w(), valueDidChange: function () { this_.toggleConnectingLine(); }.observes('value') }, { title: 'DG.Inspector.graphMovablePoint', value: this_.get('isMovablePointVisible'), classNames: 'dg-graph-movablePoint-check'.w(), valueDidChange: function () { this_.toggleMovablePoint(); }.observes('value') }, { title: 'DG.Inspector.graphMovableLine', value: this_.get('isMovableLineVisible'), classNames: 'dg-graph-movableLine-check'.w(), valueDidChange: function () { this_.toggleMovableLine(); }.observes('value') }, { title: 'DG.Inspector.graphLSRL', value: this_.get('isLSRLVisible'), classNames: 'dg-graph-lsrl-check'.w(), valueDidChange: function () { this_.toggleLSRLLine(); }.observes('value') }, { title: 'DG.Inspector.graphInterceptLocked', classNames: 'dg-graph-interceptLocked-check'.w(), _changeInProgress: true, valueDidChange: function () { if( !this._changeInProgress) this_.toggleInterceptLocked(); }.observes('value'), lineVisibilityChanged: function() { this._changeInProgress = true; var tLineIsVisible = this_.get('isMovableLineVisible') || this_.get('isLSRLVisible'); if( !tLineIsVisible) this_.set('isInterceptLocked', false); this.set('value', this_.get('isInterceptLocked')); this.set('isEnabled', tLineIsVisible); this._changeInProgress = false; }, init: function() { sc_super(); this.lineVisibilityChanged(); this_.addObserver('isMovableLineVisible', this, 'lineVisibilityChanged'); this_.addObserver('isLSRLVisible', this, 'lineVisibilityChanged'); this._changeInProgress = false; }, destroy: function() { this_.removeObserver('isMovableLineVisible', this, 'lineVisibilityChanged'); this_.removeObserver('isLSRLVisible', this, 'lineVisibilityChanged'); sc_super(); } }, { title: 'DG.Inspector.graphPlottedFunction', value: this_.isAdornmentVisible('plottedFunction'), classNames: 'dg-graph-plottedFunction-check'.w(), valueDidChange: function () { this_.togglePlotFunction(); }.observes('value') }, { title: 'DG.Inspector.graphPlottedValue', value: this_.isAdornmentVisible('plottedValue'), classNames: 'dg-graph-plottedValue-check'.w(), valueDidChange: function () { this_.togglePlotValue(); }.observes('value') }, { title: 'DG.Inspector.graphSquares', value: this_.get('areSquaresVisible'), classNames: 'dg-graph-squares-check'.w(), lineVisibilityChanged: function() { var tLineIsVisible = this_.get('isMovableLineVisible') || this_.get('isLSRLVisible'); this.set('isEnabled', tLineIsVisible); if( this_.get('areSquaresVisible') && !tLineIsVisible) this.set('value', false); }, init: function() { sc_super(); this.lineVisibilityChanged(); this_.addObserver('isMovableLineVisible', this, 'lineVisibilityChanged'); this_.addObserver('isLSRLVisible', this, 'lineVisibilityChanged'); }, destroy: function() { this_.removeObserver('isMovableLineVisible', this, 'lineVisibilityChanged'); this_.removeObserver('isLSRLVisible', this, 'lineVisibilityChanged'); }, valueDidChange: function () { this_.toggleShowSquares(); }.observes('value') } ]); }.property(), /** * When making a copy of a plot (e.g. for use in split) the returned object * holds those properties that should be assigned to the copy. * @return {{}} */ getPropsForCopy: function() { var tResult = sc_super(); return $.extend( tResult, { areSquaresVisible: this.get('areSquaresVisible') }); }, /** * @return { Object } with properties specific to a given subclass */ createStorage: function () { var tStorage = sc_super(), tMovablePoint = this.get('movablePoint'), tMovableLine = this.get('movableLine'), tLSRL = this.get('multipleLSRLs'); if (!SC.none(tMovablePoint)) tStorage.movablePointStorage = tMovablePoint.createStorage(); if (!SC.none(tMovableLine)) tStorage.movableLineStorage = tMovableLine.createStorage(); if (!SC.none(tLSRL) && tLSRL.get('isVisible')) tStorage.multipleLSRLsStorage = tLSRL.createStorage(); if (this.get('areSquaresVisible')) tStorage.areSquaresVisible = true; if (this.get('isLSRLVisible')) tStorage.isLSRLVisible = true; return tStorage; }, /** * @param { Object } with properties specific to a given subclass */ restoreStorage: function (iStorage) { /* Older documents stored adornments individually in the plot model * that used them, e.g. movable lines and function plots were stored * here with the scatter plot model. In newer documents, there is an * 'adornments' property in the base class (plot model) which stores * all or most of the adornments. To preserve file format compatibility * we move the locally stored storage objects into the base class * 'adornments' property where the base class will process them when * we call sc_super(). */ this.moveAdornmentStorage(iStorage, 'movableLine', iStorage.movableLineStorage); this.moveAdornmentStorage(iStorage, 'multipleLSRLs', iStorage.multipleLSRLsStorage); this.moveAdornmentStorage(iStorage, 'plottedFunction', iStorage.plottedFunctionStorage); sc_super(); if (iStorage.movablePointStorage) { if (SC.none(this.movablePoint)) this.createMovablePoint(); this.get('movablePoint').restoreStorage(iStorage.movablePointStorage); } if (iStorage.movableLineStorage) { if (SC.none(this.movableLine)) this.createMovableLine(); this.get('movableLine').restoreStorage(iStorage.movableLineStorage); } this.areSquaresVisible = iStorage.areSquaresVisible; if (iStorage.multipleLSRLsStorage) { if (SC.none(this.multipleLSRLs)) this.createLSRLLines(); this.get('multipleLSRLs').restoreStorage(iStorage.multipleLSRLsStorage); } // Legacy document support if (iStorage.plottedFunctionStorage) { if (SC.none(this.plottedFunction)) this.set('plottedFunction', DG.PlottedFunctionModel.create()); this.get('plottedFunction').restoreStorage(iStorage.plottedFunctionStorage); } }, onRescaleIsComplete: function () { if (!SC.none(this.movableLine)) this.movableLine.recomputeSlopeAndInterceptIfNeeded(this.get('xAxis'), this.get('yAxis')); if (!SC.none(this.movablePoint)) this.movablePoint.recomputePositionIfNeeded(this.get('xAxis'), this.get('yAxis')); }, /** * Get an array of non-missing case counts in each axis cell. * Also cell index on primary and secondary axis, with primary axis as major axis. * @return {Array} [{count, primaryCell, secondaryCell},...] (all values are integers 0+). */ getCellCaseCounts: function ( iForSelectionOnly) { var tCases = iForSelectionOnly ? this.get('selection') : this.get('cases'), tXVarID = this.get('xVarID'), tYVarID = this.get('yVarID'), tCount = 0, tValueArray = []; if (!( tXVarID && tYVarID )) { return tValueArray; // too early to recompute, caller must try again later. } // compute count and percent cases in each cell, excluding missing values tCases.forEach(function (iCase, iIndex) { var tXVal = iCase.getForcedNumericValue(tXVarID), tYVal = iCase.getForcedNumericValue(tYVarID); if (isFinite(tXVal) && isFinite(tYVal)) ++tCount; }); // initialize the values for the single 'cell' of the scatterplot var tCell = { primaryCell: 0, secondaryCell: 0 }; if( iForSelectionOnly) tCell.selectedCount = tCount; else tCell.count = tCount; tValueArray.push(tCell); return tValueArray; } });
concord-consortium/codap
apps/dg/components/graph/plots/scatter_plot_model.js
JavaScript
mit
31,775