code
stringlengths
2
1.05M
repo_name
stringlengths
4
116
path
stringlengths
3
991
language
stringclasses
30 values
license
stringclasses
15 values
size
int32
3
1.05M
<?php /* Safe sample input : get the field userData from the variable $_GET via an object, which store it in a array SANITIZE : use of preg_replace construction : use of sprintf via a %s with simple quote */ /*Copyright 2015 Bertrand STIVALET Permission is hereby granted, without written agreement or royalty fee, to use, copy, modify, and distribute this software and its documentation for any purpose, provided that the above copyright notice and the following three paragraphs appear in all copies of this software. IN NO EVENT SHALL AUTHORS BE LIABLE TO ANY PARTY FOR DIRECT, INDIRECT, SPECIAL, INCIDENTAL, OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE USE OF THIS SOFTWARE AND ITS DOCUMENTATION, EVEN IF AUTHORS HAVE BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. AUTHORS SPECIFICALLY DISCLAIM ANY WARRANTIES INCLUDING, BUT NOT LIMITED TO THE IMPLIED WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE, AND NON-INFRINGEMENT. THE SOFTWARE IS PROVIDED ON AN "AS-IS" BASIS AND AUTHORS HAVE NO OBLIGATION TO PROVIDE MAINTENANCE, SUPPORT, UPDATES, ENHANCEMENTS, OR MODIFICATIONS.*/ class Input{ private $input; public function getInput(){ return $this->input['realOne']; } public function __construct(){ $this->input = array(); $this->input['test']= 'safe' ; $this->input['realOne']= $_GET['UserData'] ; $this->input['trap']= 'safe' ; } } $temp = new Input(); $tainted = $temp->getInput(); $tainted = preg_replace('/\'/', '', $tainted); $query = sprintf("echo $'%s';", $tainted); $res = eval($query); ?>
stivalet/PHP-Vulnerability-test-suite
Injection/CWE_95/safe/CWE_95__object-indexArray__func_preg_replace__echo-sprintf_%s_simple_quote.php
PHP
mit
1,579
ActionController::Dispatcher.to_prepare do # Extend :account model to add :issues association. Account.send(:include, AccountServiceRequestAssociations) # Make issues observable. ActivityObserver.instance.send :add_observer!, ServiceRequest # Add :issues plugin helpers. ActionView::Base.send(:include, ServiceRequestsHelper) end # Make the issues commentable. CommentsController.commentables = CommentsController.commentables + %w(service_request_id)
jensonzhao/crm_fieldservices
lib/crm_fieldservices.rb
Ruby
mit
470
<style type="text/css"> .escondido { display: none; } </style> <div id="div1" class="xxx">div1</div> <div id="div2" class="escondido">2</div>
massahud/zf2-testeunidade
js-test/fixtures/exemplos/divs.html
HTML
mit
157
--- layout: post title: How the Go team could track what to include in release notes date: 2021-03-13 author: Paschalis Ts tags: [golang, foss] mathjax: false description: "" --- Release notes can sometimes be exciting to read. Condensing the work since the last release into a couple of paragraphs, announcing new exciting features or deprecating older ones, communicating bugfixes or architectural decisions, making important announcements.. Come to think of it, the couple of times that I've had to *write* them, wasn't so bad at all! Unfortunately, the current trend is release notes becoming a mix of *Bug fixes*, *Made ur app faster*, *Added new feature, won't tell you what it is*, which can sound like generalities at best and condescending or patronizing at worst; usually like something written just to fill an arbitrary word limit in the last five minutes before a release. Here's what's currently listed in the "What's New" section for a handful of popular applications in the Google Play Store. ``` - Thanks for choosing Chrome! This release includes stability and performance improvements. - Every week we polish up the Pinterest app to make it faster and better than ever. Tell us if you like this newest version at http://help.pinterest.com/contact - Get the best experience for enjoying recent hits and timeless classics with our latest Netflix update for your phone and tablet. - We update the Uber app as often as possible to help make it faster and more reliable for you. This version includes several bug fixes and performance improvements. - We’re always making changes and improvements to Spotify. To make sure you don’t miss a thing, just keep your Updates turned on. - For new features, look for in-product education & notifications sharing the feature and how to use it! (FYI this was YouTube, as it doesn't even mention the product's name) ``` The Opera browser, on the other hand has something more reminiscent of actual release notes. ``` What's New Thanks for choosing Opera! This version includes improvements to Flow, the share dialog and the built-in video player. More changes: - Chromium 87 - Updated onboarding - Adblocker improvements - Various fixes and stability improvements ``` Just to make things clear *I'm not bashing these fellow developers at all*. [Here's](https://github.com/beatlabs/patron/releases) the release history of a project I'm helping maintain; our release notes can be just as vague sometimes. Writing helpful, informative (and even fun!) release notes is time consuming and has little benefit non-technical folks. It's also hard to keep track of what's changed since the last release, and deciding what's important and what's not. How would *you* do it? ## The Go team solution So, how is Go team approaching this problem? A typical Go release in the past three years may contain from 1.6k to 2.3k commits. ``` from -> to commits 1.15 -> 1.16 1695 1.14 -> 1.15 1651 1.13 -> 1.14 1754 1.12 -> 1.13 1646 1.11 -> 1.12 1682 1.10 -> 1.11 2268 1.9 -> 1.10 1996 1.8 -> 1.9 2157 ``` How do you keep track of what was important, what someone reading the release notes may need to know? I set to find out, after [Emmanuel](https://twitter.com/odeke_et) (a great person, and one of the best ambassadors the Go community could wish for), added a mysterious comment on one of my [latest CLs](https://go-review.googlesource.com/c/go/+/284136) that read `RELNOTE=yes`. The [`build`](https://github.com/golang/build) repo holds Go's continuous build and release infrastructure; it also contains the [`relnote` tool](https://github.com/golang/build/blob/master/cmd/relnote/relnote.go) that gathers and summarizes Gerrit changes (CLs) which are marked with RELNOTE annotations. The earliest reference of this idea I could find is [this CL](https://go-review.googlesource.com/c/build/+/30697) from Brad Fitzpatrick, back in October 2016. So, any time a commit is merged (or close to merging) where someone thinks it may be useful to include in the release notes, they can leave a `RELNOTE=yes` or `RELNOTES=yes` comment. All these CLs are then gathered to be reviewed by the release author. Here's the actual Gerrit API query: ``` query := fmt.Sprintf(`status:merged branch:master since:%s (comment:"RELNOTE" OR comment:"RELNOTES")` ``` Of course, this is not a tool that will automatically generate something you can publish, but it's a pretty good alternative to sieving a couple thousands of commits manually. I love the simplicity; I feel that it embodies the Go way of doing things. I feel that if my team at work tried to find a solution, we'd come up with something much more complex, fragile and unmaintainable than this. The tool doesn't even support time ranges as input; since Go releases are roughly once every six months, here's how it decides which commits to include ```go // Releases are every 6 months. Walk forward by 6 month increments to next release. cutoff := time.Date(2016, time.August, 1, 00, 00, 00, 0, time.UTC) now := time.Now() for cutoff.Before(now) { cutoff = cutoff.AddDate(0, 6, 0) } // Previous release was 6 months earlier. cutoff = cutoff.AddDate(0, -6, 0) ``` ## In action! Here's me running the tool, and a small part of the output. ```bash $ git clone https://github.com/golang/build $ cd build/cmd/relnote $ go build . $ ./relnote ... ... https://golang.org/cl/268020: os: avoid allocation in File.WriteString reflect https://golang.org/cl/266197: reflect: add Method.IsExported and StructField.IsExported methods https://golang.org/cl/281233: reflect: add VisibleFields function syscall https://golang.org/cl/295371: syscall: do not overflow key memory in GetQueuedCompletionStatus unicode https://golang.org/cl/280493: unicode: correctly handle negative runes ``` ## Parting words That's all for today! I hope that my change will find its way on the Go 1.17 release notes; if not I'm happy that I learned something new! I'm not sure if the `relnote` tool is still being actively used, but I think it would be fun to learn more about what goes into packaging a Go release. Until next time, bye!
tpaschalis/tpaschalis.github.io
_posts/2021-03-13-relnote-yes.markdown
Markdown
mit
6,148
import { Component } from '@angular/core'; @Component({ moduleId: module.id, selector: 'chips-demo', templateUrl: 'chips-demo.html', styleUrls: ['chips-demo.css'] }) export class ChipsDemoComponent { }
liuy97/angular2-material-seed
src/client/app/material/demo-app/chips/chips-demo.ts
TypeScript
mit
211
using System; using System.Collections.Generic; using System.Text; public interface IIdentifiable { string Id { get; } }
giggals/Software-University
Exercises-Interfaces/2. Multiple Implementation/IIdentifiable.cs
C#
mit
131
/******************************************************************************* * The MIT License (MIT) * * Copyright (c) 2015 - 2019 Dr. Marc Mültin (V2G Clarity) * * 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 com.v2gclarity.risev2g.evcc.states; import java.util.concurrent.TimeUnit; import com.v2gclarity.risev2g.evcc.session.V2GCommunicationSessionEVCC; import com.v2gclarity.risev2g.shared.enumerations.GlobalValues; import com.v2gclarity.risev2g.shared.enumerations.V2GMessages; import com.v2gclarity.risev2g.shared.messageHandling.ReactionToIncomingMessage; import com.v2gclarity.risev2g.shared.messageHandling.TerminateSession; import com.v2gclarity.risev2g.shared.misc.TimeRestrictions; import com.v2gclarity.risev2g.shared.utils.SecurityUtils; import com.v2gclarity.risev2g.shared.v2gMessages.msgDef.AuthorizationReqType; import com.v2gclarity.risev2g.shared.v2gMessages.msgDef.AuthorizationResType; import com.v2gclarity.risev2g.shared.v2gMessages.msgDef.ChargeParameterDiscoveryReqType; import com.v2gclarity.risev2g.shared.v2gMessages.msgDef.EVSEProcessingType; import com.v2gclarity.risev2g.shared.v2gMessages.msgDef.PaymentOptionType; import com.v2gclarity.risev2g.shared.v2gMessages.msgDef.V2GMessage; public class WaitForAuthorizationRes extends ClientState { public WaitForAuthorizationRes(V2GCommunicationSessionEVCC commSessionContext) { super(commSessionContext); } @Override public ReactionToIncomingMessage processIncomingMessage(Object message) { if (isIncomingMessageValid(message, AuthorizationResType.class)) { V2GMessage v2gMessageRes = (V2GMessage) message; AuthorizationResType authorizationRes = (AuthorizationResType) v2gMessageRes.getBody().getBodyElement().getValue(); if (authorizationRes.getEVSEProcessing() == null) return new TerminateSession("EVSEProcessing parameter of AuthorizationRes is null. Parameter is mandatory."); if (authorizationRes.getEVSEProcessing().equals(EVSEProcessingType.FINISHED)) { getLogger().debug("EVSEProcessing was set to FINISHED"); getCommSessionContext().setOngoingTimer(0L); getCommSessionContext().setOngoingTimerActive(false); ChargeParameterDiscoveryReqType chargeParameterDiscoveryReq = getChargeParameterDiscoveryReq(); /* * Save this request in case the ChargeParameterDiscoveryRes indicates that the EVSE is * still processing. Then this request can just be resent instead of asking the EV again. */ getCommSessionContext().setChargeParameterDiscoveryReq(chargeParameterDiscoveryReq); return getSendMessage(chargeParameterDiscoveryReq, V2GMessages.CHARGE_PARAMETER_DISCOVERY_RES); } else { getLogger().debug("EVSEProcessing was set to ONGOING"); long elapsedTimeInMs = 0; if (getCommSessionContext().isOngoingTimerActive()) { long elapsedTime = System.nanoTime() - getCommSessionContext().getOngoingTimer(); elapsedTimeInMs = TimeUnit.MILLISECONDS.convert(elapsedTime, TimeUnit.NANOSECONDS); if (elapsedTimeInMs > TimeRestrictions.V2G_EVCC_ONGOING_TIMEOUT) return new TerminateSession("Ongoing timer timed out for AuthorizationReq"); } else { getCommSessionContext().setOngoingTimer(System.nanoTime()); getCommSessionContext().setOngoingTimerActive(true); } // [V2G2-684] demands to send an empty AuthorizationReq if the field EVSEProcessing is set to 'Ongoing' AuthorizationReqType authorizationReq = getAuthorizationReq(null); return getSendMessage(authorizationReq, V2GMessages.AUTHORIZATION_RES, Math.min((TimeRestrictions.V2G_EVCC_ONGOING_TIMEOUT - (int) elapsedTimeInMs), TimeRestrictions.getV2gEvccMsgTimeout(V2GMessages.AUTHORIZATION_RES))); } } else { return new TerminateSession("Incoming message raised an error"); } } }
V2GClarity/RISE-V2G
RISE-V2G-EVCC/src/main/java/com/v2gclarity/risev2g/evcc/states/WaitForAuthorizationRes.java
Java
mit
4,963
/** * TatoSSO Single Sign On (SSO) system * * Copyright (C) 2014 Allan SIMON <allan.simon@supinfo.com> * See accompanying file COPYING.TXT file for licensing details. * * @category TatoSSO * @author Allan SIMON <allan.simon@supinfo.com> * @package Contents * */ #ifndef TATO_SSO_CONTENTS_TOKENS_H #define TATO_SSO_CONTENTS_TOKENS_H #include "cppcms_skel/contents/content.h" #include "contents/forms/external_login.h" //%%%NEXT_CONTENT_FORM_INCLUDE_MARKER%%% namespace tatosso { namespace contents { namespace tokens { /** * @class Tokens * @brief Base content for every action of Tokens controller * @since 31 March 2014 */ struct Tokens : public ::contents::BaseContent { }; /** * @struct CheckToken * @since 31 March 2014 */ struct CheckToken : public Tokens { CheckToken() { } }; /** * @struct ExternalLogin * @since 31 March 2014 */ struct ExternalLogin : public Tokens { forms::tokens::ExternalLogin externalLoginForm; /** * @brief Constructor */ ExternalLogin() { } }; //%%%NEXT_CONTENT_MARKER%%% } // end of namespace tokens } // end of namespace contents } // end of namespace tatosso #endif
allan-simon/tatoSSO
app/src/contents/Tokens.h
C
mit
1,177
<?php if (isset($user_data['id'])) { ?> <script> var $records_per_page = '<?php echo $this->security->get_csrf_hash(); ?>'; var page_url = '<?php echo base_url(); ?>'; var $user_data ="<?php echo $user_data['id']?>"; </script> <script src="<?php echo base_url(); ?>assets/js/detail_pages/include/navbar.js"></script> <?php } ?> <!--Main Menu File--> <!--For Demo Only (Remove below css file and Javascript) --> <div class="wsmenucontainer clearfix"></div> <div class="wsmenucontent overlapblackbg "></div> <div class="wsmenuexpandermain slideRight"> <a id="navToggle" class="animated-arrow slideLeft "><span></span></a> <a href="<?php echo base_url(); ?>" class="smallogo"><img src="<?php echo base_url(); ?>assets/logos/logo-07.png" width="120" alt=""></a> <?php if (!empty($user_data['id'])) { $notyfi_ = $this->M_notify->getnotify($user_data['id'], 1); ?> <div class="callusicon dropdown notifications"> <a href="" class="dropdown-toggle" data-toggle="dropdown"> <i class="fa fa-globe"></i> <?php if (count($notyfi_) != 0) { ?><span class="badge bg-lightred"><?php echo count($notyfi_)?></span><?php } ?> </a> <div class="dropdown-menu pull-right with-arrow panel panel-default animated littleFadeInLeft"> <div class="panel-heading"> You have <strong><?php echo count($notyfi_)?></strong> notifications unread </div> <ul class="list-group"> <?php $notify = $this->M_notify->getnotify($user_data['id']); foreach ($notify as $row) { if ($row['type'] == 'invite') { $link = base_url().'chat/dashboard'; } elseif ($row['type'] == 'amper_register') { $link = base_url().'amper/dashboard_affiliates'; } elseif ($row['type'] == 'amper_register') { $link = base_url().'amper/dashboard_affiliates'; } elseif ($row['type'] == 'Invite tour') { $link = $row['active_url']; } else { $link = '#'; } //var_dump($link);exit; ?> <li class="list-group-item"> <a role="button" tabindex="0" class="media" href="<?=$link?>"> <div class="media-body"> <span class="block"><?php echo $row['messages']?></span> <small class="text-muted"><?php echo $this->M_user->time_calculation($row['time'])?></small> </div> </a> </li> <?php } ?> </ul> <div class="panel-footer"> <a href="<?=base_url('notifications/all')?>" role="button" tabindex="0">Show all notifications <i class="fa fa-angle-right pull-right"></i></a> </div> </div> </div> <?php }?> </div> <?php $params1 = $this->uri->segment(1); $params2 = $this->uri->segment(2); if (($params1 == 'mds' || ($params1 == 'artist' && $params2 == 'amp') || ($params1 == 'artist' && $params2 == 'managerrpk') || $params1 == 'chat' || $params1 == 'social_media' || $params1 == 'the_total_tour') && $user_data['role'] > 2) { header('Location: '.base_url()); exit; } ?> <div class="header"> <div class="wrapper clearfix bigmegamenu"> <?php if (isset($user_data['id']) && $user_data['role'] == 1) { ?> <nav class="slideLeft "> <ul class="mobile-sub wsmenu-list wsmenu-list-left_logo"> <!--view login with account artists --> <li> <a href="<?php echo base_url(); ?>" title=""><img src="<?php echo base_url(); ?>assets/logos/logo-07.png" alt="" /></a> <?php if ($params1 == null) { ?> <ul class="wsmenu-submenu" style="min-width: 160px;"> <li ><a href="<?php echo base_url("features/artist");?>"><i class="fa fa-arrow-circle-right"></i>Artist</a></li> <li ><a href="<?php echo base_url("features/fan");?>"><i class="fa fa-arrow-circle-right"></i>Fan</a></li> <li><a href="#worldwide"><i class="fa fa-arrow-circle-right"></i>Worldwide Featured Artist</a></li> <li><a href="#local"><i class="fa fa-arrow-circle-right"></i>Local-Featured Artist</a></li> <li><a href="<?php echo base_url("mds");?>"><i class="fa fa-arrow-circle-right"></i>Music Distribution System</a></li> <li><a href="<?php echo base_url("features/artist#artist_landing");?>"><i class="fa fa-arrow-circle-right"></i>ALP</a></li> <!--<li><a href="#epk"><i class="fa fa-arrow-circle-right"></i>Electronic Press Kit</a></li>--> <li><a href="<?php echo base_url("features/artist#ttt");?>"><i class="fa fa-arrow-circle-right"></i>The Total Tour</a></li> <li><a href="<?php echo base_url("make_money");?>"><i class="fa fa-arrow-circle-right"></i>Artist Music Player</a></li> <li><a href="<?php echo base_url("features/artist#social_media");?>"><i class="fa fa-arrow-circle-right"></i>One Stop Social Media</a></li> <li><a href="<?php echo base_url("features/artist#gigs_events");?>"><i class="fa fa-arrow-circle-right"></i>Gigs & Events</a></li> <!--<li><a href="#dashboard"><i class="fa fa-arrow-circle-right"></i>Dashboard Chat</a></li>--> <li><a href="<?php echo base_url("features/artist#music_referral");?>"><i class="fa fa-arrow-circle-right"></i>Musicians Referral</a></li> </ul> <?php } ?> </li> </ul> </nav> <?php } else { ?> <div class="logo"><a href="<?php echo base_url(); ?>" title=""><img src="<?php echo base_url(); ?>assets/logos/logo-07.png" alt="" /></a></div> <?php }?> <!--Main Menu HTML Code--> <nav class="wsmenu slideLeft "> <ul class="mobile-sub wsmenu-list wsmenu-list-left"> <?php if (isset($user_data)) { $check_upgrade = $this->M_user->check_upgrade($user_data['id']); if (isset($user_data['id']) && $user_data['role'] == 1 && $user_data['is_admin'] == 1) { ?> <!--view login with account ADMIN --> <li> <span class="wsmenu-click"></span><a <?php if ($params1 == 'blogs' || $params1 == 'gigs_events' || $params1 == 'find-a-musician' || $params1 == 'find-a-fan' || $params1 == 'find-an-artist' || $params2 == 'find-a-fan' || $params2 == 'find-an-artist' || $params2 == 'world_wide_featured') { echo 'class="active"'; } ?> href="#"><i class="fa fa-music"></i>&nbsp;&nbsp;Artists & Fans<span class="arrow"></span></a> <ul class="wsmenu-submenu" style="min-width: 160px;"> <li <?php if ($params1 == 'blogs') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url('blogs') ?>"><i class="fa fa-arrow-circle-right"></i>Blogs</a></li> <li><a <?php if ($params1 == 'gigs_events') { echo 'class="activesub"'; } ?> href="<?php echo base_url('gigs_events') ?>"><i class="fa fa-arrow-circle-right"></i>Book A Show</a></li> <li><a <?php if ($params1 == 'find-a-musician') { echo 'class="activesub"'; } ?> href="<?php echo base_url('find-a-musician') ?>"><i class="fa fa-arrow-circle-right"></i>Musicians Referral</a></li> <li><a <?php if ($params2 == 'find-a-fan') { echo 'class="activesub"'; } ?> href="<?php echo base_url('features/find-a-fan') ?>"><i class="fa fa-arrow-circle-right"></i>Find A Fan</a></li> <li><a <?php if ($params2 == 'find-an-artist') { echo 'class="activesub"'; } ?> href="<?php echo base_url('features/find-an-artist') ?>"><i class="fa fa-arrow-circle-right"></i>Find AN Artist</a></li> </ul> </li> <li> <span class="wsmenu-click"></span><a <?php if ($params1 == 'new-treding' || $params1 == 'hot_video_picks' || $params1 == 'fancapture' || $params2 == 'hot_video_picks' || $params2 == 'new-trending') { echo 'class="active"'; } ?> href="#"><i class="fa fa-music"></i>&nbsp;&nbsp;Our Artist's Music <span class="arrow"></span></a> <ul class="wsmenu-submenu" style="min-width: 160px;"> <li <?php if ($params1 == 'fancapture') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url('fancapture') ?>"><i class="fa fa-arrow-circle-right"></i>Meet Our Artist</a></li> <!--<li><a <?php if ($params2 == 'new-trending') { echo 'class="activesub"'; } ?> href="<?php echo base_url('features/new-trending') ?>"><i class="fa fa-arrow-circle-right"></i>New & Trending</a></li>--> <li><a <?php if ($params2 == 'world_wide_featured') { echo 'class="activesub"'; } ?> href="<?php echo base_url('world_wide_featured') ?>"><i class="fa fa-arrow-circle-right"></i>World Wide Featured Artist</a></li> <li><a <?php if ($params2 == 'hot_video_picks') { echo 'class="activesub"'; } ?> href="<?php echo base_url('features/hot_video_picks') ?>"><i class="fa fa-arrow-circle-right"></i>Hot Video Picks</a></li> </ul> </li> <li> <span class="wsmenu-click"></span><a <?php if ($params1 == 'artists' || $params1 == 'make_money' || $params1 == 'top-100-list' || $params1 == 'fancapture') { echo 'class="active"'; } ?> href="#"><i class="fa fa-music"></i>&nbsp;&nbsp;Earn Money<span class="arrow"></span></a> <ul class="wsmenu-submenu" style="min-width: 160px;"> <li <?php if ($params1 == 'artists') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url('artists') ?>"><i class="fa fa-arrow-circle-right"></i>Create AMP-Video</a></li> <li <?php if ($params1 == 'make_money') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url(); ?>make_money"><i class="fa fa-arrow-circle-right"></i>Artist Music Player</a></li> <!--<li <?php if ($params1 == '#') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url('#') ?>"><i class="fa fa-arrow-circle-right"></i>How to Earn Money</a></li> <li <?php if ($params1 == '#') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url(); ?>#"><i class="fa fa-arrow-circle-right"></i>Signup - AMP</a></li>--> <li <?php if ($params1 == 'fancapture') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url('fancapture') ?>"><i class="fa fa-arrow-circle-right"></i>Fan Capture</a></li> <li><a <?php if ($params1 == 'top-100-list') { echo 'class="activesub"'; } ?> href="<?php echo base_url('top-100-list') ?>"><i class="fa fa-arrow-circle-right"></i>Top 100 Fans - Amp Sales</a></li> </ul> </li> <li> <span class="wsmenu-click"></span> <a <?php if ($params1 == 'mds' || ($params1 == 'artist' && $params2 == 'amp') || ($params1 == 'artist' && $params2 == 'dashboard_epk') || $params1 == 'chat' || $params1 == 'social_media' || $params1 == 'the_total_tour') { echo 'class="active"'; } ?> href="#"><i class="fa fa-hand-pointer-o"></i>&nbsp;&nbsp;Tool<span class="arrow"></span></a> <ul class="wsmenu-submenu" style="min-width: 160px;"> <li><a <?php if ($params1 == 'the_total_tour') { echo 'class="activesub"'; } ?> href="<?php echo base_url('the_total_tour') ?>"><i class="fa fa-arrow-circle-right"></i>The Total Tour</a></li> <li><a <?php if ($params1 == 'mds') { echo 'class="activesub"'; } ?> href="<?php echo base_url('mds') ?>"><i class="fa fa-arrow-circle-right"></i>MDS</a></li> <li><a <?php if ($params1 == 'artist' && $params2 == 'dashboard_epk') { echo 'class="activesub"'; } ?> href="<?php echo base_url('artist/dashboard_epk')?>"><i class="fa fa-arrow-circle-right"> </i>EPK</a></li> <li><a <?php if ($params1 == 'chat') { echo 'class="activesub"'; } ?> href="<?php echo base_url('chat/dashboard') ?>"><i class="fa fa-arrow-circle-right"> </i>Dashboard Chat</a></li> <li><a <?php if ($params1 == 'social_media') { echo 'class="activesub"'; } ?> href="<?php echo base_url('social_media') ?>"><i class="fa fa-arrow-circle-right"></i>Social media</a></li> </ul> </li> <li> <span class="wsmenu-click"></span><a <?php if (($params1 == 'artist' && $params2 != 'amp') && $params2 != 'dashboard_epk' && $params2 != 'profile') { echo 'class="active"'; } ?> href="#"><i class="fa fa-heartbeat"></i>&nbsp;&nbsp;Dashboard<span class="arrow"></span></a> <ul class="wsmenu-submenu" style="min-width: 160px;"> <li><a <?php if ($params1 == 'artist' && $params2 == 'managersong') { echo 'class="activesub"'; } ?> href="<?php echo base_url('artist/managersong') ?>"><i class="fa fa-arrow-circle-right"></i>Songs</a></li> <li><a <?php if ($params1 == 'artist' && $params2 == 'managervideo') { echo 'class="activesub"'; } ?> href="<?php echo base_url('artist/managervideo') ?>"><i class="fa fa-arrow-circle-right"></i>Videos</a></li> <li><a <?php if ($params1 == 'artist' && $params2 == 'managerphoto') { echo 'class="activesub"'; } ?> href="<?php echo base_url('artist/managerphoto') ?>"><i class="fa fa-arrow-circle-right"></i>Photos</a></li> <li><a <?php if ($params1 == 'artist' && $params2 == 'manager-comment') { echo 'class="activesub"'; } ?> href="<?php echo base_url('artist/manager-comment')?>"><i class="fa fa-arrow-circle-right"></i>Comments</a></li> <li><a <?php if ($params1 == 'artist' && $params2 == 'managerpress') { echo 'class="activesub"'; } ?> href="<?php echo base_url('artist/managerpress') ?>"><i class="fa fa-arrow-circle-right"></i>Press</a></li> <li><a <?php if ($params1 == 'artist' && $params2 == 'blogsmanager') { echo 'class="activesub"'; } ?> href="<?php echo base_url('artist/blogsmanager') ?>"><i class="fa fa-arrow-circle-right"></i>Blogs</a></li> <li><a <?php if ($params1 == 'artist' && $params2 == 'basic_info') { echo 'class="activesub"'; } ?> href="<?php echo base_url('artist/basic_info'); ?>"><i class="fa fa-arrow-circle-right"></i>Customize Profile</a></li> </ul> </li> <li class="top120"> <span class="wsmenu-click"></span><a <?php if ($params2 == 'stop_typing' || $params1 == 'hot_video_picks') { echo 'class="active"'; } ?> href="#"><i class="fa fa-align-justify"></i>&nbsp;&nbsp;Social Media<span class="arrow"></span></a> <ul class="wsmenu-submenu" style="min-width: 160px;"> <!-- TODO: <li <?php if ($params2 == 'stop_typing') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url('social_media/stop_typing') ?>"><i class="fa fa-arrow-circle-right"></i>1 stop typing</a></li> --> <li <?php if ($params1 == 'hot_video_picks') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url('features/hot_video_picks') ?>"><i class="fa fa-arrow-circle-right"></i>Top 100 Fans - Amp Sales</a></li> </ul> </li> <li class="top120"> <span class="wsmenu-click"></span><a <?php if ($params1 == 'new_artist') { echo 'class="active"'; } ?> href="#"><i class="fa fa-music"></i>&nbsp;&nbsp;Music Pages<span class="arrow"></span></a> <ul class="wsmenu-submenu" style="min-width: 160px;"> <li <?php if ($params1 == 'new_artist') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url('new_artist') ?>"><i class="fa fa-arrow-circle-right"></i>New Artist</a></li> </ul> </li> <li class="top120"> <span class="wsmenu-click"></span><a <?php if ($params1 == 'features') { echo 'class="active"'; } ?> href="#"><i class="fa fa-align-justify"></i>&nbsp;&nbsp;Features<span class="arrow"></span></a> <ul class="wsmenu-submenu" style="min-width: 160px;"> <li <?php if ($params2 == 'fan') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url('features/fan') ?>"><i class="fa fa-arrow-circle-right"></i>Fan Feature</a></li> <li <?php if ($params2 == 'artist') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url('features/artist') ?>"><i class="fa fa-arrow-circle-right"></i>Artist Feature</a></li> <li <?php if ($params2 == 'fan_feature') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url('features/fan_feature') ?>"><i class="fa fa-arrow-circle-right"></i>Fan Features</a> </li> </ul> </li> <li class="top120"> <span class="wsmenu-click"></span><a <?php if ($params1 == 'local-featured') { echo 'class="active"'; } ?> href="#"><i class="fa fa-music"></i>&nbsp;&nbsp;Meet Our Artists<span class="arrow"></span></a> <ul class="wsmenu-submenu" style="min-width: 160px;"> <li><a <?php if ($params1 == 'local-featured') { echo 'class="activesub"'; } ?> href="<?php echo base_url('local-featured') ?>"><i class="fa fa-arrow-circle-right"></i>Local Featured Artist</a></li> </ul> </li> <!-- <li class="top120"> <li <?php if ($params1 == 'gigs_events') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url('gigs_events') ?>"><i class="fa fa-music"></i>&nbsp;&nbsp;SHOWs</a></li> </li>--> <li class="top120"> <li <?php if ($params1 == '#') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url('#') ?>"><i class="fa fa-search"></i>&nbsp;&nbsp;Search</a> </li> <?php } elseif (isset($user_data['id']) && $user_data['role'] == 1) { ?> <!--view login with account artists --> <li> <span class="wsmenu-click"></span><a <?php if (($params1 == 'artist' && $params2 == 'showgigs') || $params1 == 'blogs' || $params1 == 'gigs_events' || $params1 == 'find-a-musician' || $params1 == 'find-a-fan' || $params1 == 'find-an-artist' || $params2 == 'find-a-fan' || $params2 == 'find-an-artist'|| $params2 == 'world_wide_featured') { echo 'class="active"'; } ?> href="#"><i class="fa fa-music"></i>&nbsp;&nbsp;Artists & Fans<span class="arrow"></span></a> <ul class="wsmenu-submenu" style="min-width: 160px;"> <li <?php if ($params1 == 'blogs') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url('blogs') ?>"><i class="fa fa-arrow-circle-right"></i>Blogs</a></li> <li><a <?php if ($params1 == 'gigs_events') { echo 'class="activesub"'; } ?> href="<?php echo base_url('gigs_events') ?>"><i class="fa fa-arrow-circle-right"></i>Book A Show</a></li> <li><a <?php if ($params1 == 'find-a-musician') { echo 'class="activesub"'; } ?> href="<?php echo base_url('find-a-musician') ?>"><i class="fa fa-arrow-circle-right"></i>Musicians Referral</a></li> <li><a <?php if ($params2 == 'find-a-fan') { echo 'class="activesub"'; } ?> href="<?php echo base_url('features/find-a-fan') ?>"><i class="fa fa-arrow-circle-right"></i>Find A Fan</a></li> <li><a <?php if ($params2 == 'find-an-artist') { echo 'class="activesub"'; } ?> href="<?php echo base_url('features/find-an-artist') ?>"><i class="fa fa-arrow-circle-right"></i>Find AN Artist</a></li> <!--<li><a <?php if ($params2 == 'showgigs') { echo 'class="activesub"'; } ?> href="<?php echo base_url('artist/my_location') ?>"><i class="fa fa-arrow-circle-right"></i>Find AN Location</a></li>--> <li><a <?php if ($params2 == 'showgigs') { echo 'class="activesub"'; } ?> href="<?php echo base_url('artist/showgigs') ?>"><i class="fa fa-arrow-circle-right"></i>Gig Finder</a></li> </ul> </li> <li> <span class="wsmenu-click"></span><a <?php if ($params1 == 'new-treding' || $params1 == 'hot_video_picks' || $params1 == 'fancapture' || $params2 == 'hot_video_picks' || $params2 == 'new-trending') { echo 'class="active"'; } ?> href="#"><i class="fa fa-music"></i>&nbsp;&nbsp;Our Artist's Music <span class="arrow"></span></a> <ul class="wsmenu-submenu" style="min-width: 160px;"> <li <?php if ($params1 == 'fancapture') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url('fancapture') ?>"><i class="fa fa-arrow-circle-right"></i>Meet Our Artist</a></li> <!--<li><a <?php if ($params2 == 'new-trending') { echo 'class="activesub"'; } ?> href="<?php echo base_url('features/new-trending') ?>"><i class="fa fa-arrow-circle-right"></i>New & Trending</a></li>--> <li><a <?php if ($params2 == 'world_wide_featured') { echo 'class="activesub"'; } ?> href="<?php echo base_url('world_wide_featured') ?>"><i class="fa fa-arrow-circle-right"></i>World Wide Featured Artist</a></li> <li><a <?php if ($params2 == 'hot_video_picks') { echo 'class="activesub"'; } ?> href="<?php echo base_url('features/hot_video_picks') ?>"><i class="fa fa-arrow-circle-right"></i>Hot Video Picks</a></li> </ul> </li> <li> <span class="wsmenu-click"></span><a <?php if ($params1 == 'artists' || $params1 == 'make_money' || $params1 == 'top-100-list') { echo 'class="active"'; } ?> href="#"><i class="fa fa-music"></i>&nbsp;&nbsp;Earn Money<span class="arrow"></span></a> <ul class="wsmenu-submenu" style="min-width: 160px;"> <li <?php if ($params1 == 'make_money') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url('make_money') ?>"><i class="fa fa-arrow-circle-right"></i>How to Earn Money</a></li> <!--<li <?php if ($params1 == '#') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url('#'); ?>"><i class="fa fa-arrow-circle-right"></i>Signup - AMP</a></li>--> <li <?php if ($params1 == 'fancapture') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url('fancapture') ?>"><i class="fa fa-arrow-circle-right"></i>FCP</a></li> <li><a <?php if ($params1 == 'top-100-list') { echo 'class="activesub"'; } ?> href="<?php echo base_url('top-100-list') ?>"><i class="fa fa-arrow-circle-right"></i>Top 100 Fans - Amp Sales</a></li> </ul> </li> <li> <span class="wsmenu-click"></span> <a <?php if ($params1 == 'mds' || ($params1 == 'artist' && $params2 == 'amp') || ($params1 == 'artist' && $params2 == 'dashboard_epk') || $params1 == 'chat' || $params1 == 'social_media' || $params1 == 'the_total_tour') { echo 'class="active"'; } ?> href="#"><i class="fa fa-hand-pointer-o"></i>&nbsp;&nbsp;Tool<span class="arrow"></span></a> <ul class="wsmenu-submenu" style="min-width: 160px;"> <li><a <?php if ($params1 == 'the_total_tour') { echo 'class="activesub"'; } ?> href="<?php echo base_url('the_total_tour') ?>"><i class="fa fa-arrow-circle-right"></i>The Total Tour</a></li> <li><a <?php if ($params1 == 'mds') { echo 'class="activesub"'; } ?> href="<?php echo base_url('mds') ?>"><i class="fa fa-arrow-circle-right"></i>MDS</a></li> <li><a <?php if ($params1 == 'artist' && $params2 == 'dashboard_epk') { echo 'class="activesub"'; } ?> href="<?php echo base_url('artist/dashboard_epk')?>"><i class="fa fa-arrow-circle-right"> </i>EPK</a></li> <li><a <?php if ($params1 == 'chat') { echo 'class="activesub"'; } ?> href="<?php echo base_url('chat/dashboard') ?>"><i class="fa fa-arrow-circle-right"> </i>Dashboard Chat</a></li> <li><a <?php if ($params1 == 'social_media') { echo 'class="activesub"'; } ?> href="<?php echo base_url('social_media') ?>"><i class="fa fa-arrow-circle-right"></i>Social media</a></li> </ul> </li> <li> <span class="wsmenu-click"></span><a <?php if (($params1 == 'artist' && $params2 != 'amp' && $params2 != 'showgigs' && $params2 != 'dashboard_epk') && $params2 != 'managerrpk' && $params2 != 'profile') { echo 'class="active"'; } ?> href="#"><i class="fa fa-heartbeat"></i>&nbsp;&nbsp;Dashboard<span class="arrow"></span></a> <ul class="wsmenu-submenu" style="min-width: 160px;"> <li><a <?php if ($params1 == 'artist' && $params2 == 'managersong') { echo 'class="activesub"'; } ?> href="<?php echo base_url('artist/managersong') ?>"><i class="fa fa-arrow-circle-right"></i>Songs</a></li> <li><a <?php if ($params1 == 'artist' && $params2 == 'managervideo') { echo 'class="activesub"'; } ?> href="<?php echo base_url('artist/managervideo') ?>"><i class="fa fa-arrow-circle-right"></i>Videos</a></li> <li><a <?php if ($params1 == 'artist' && $params2 == 'managerphoto') { echo 'class="activesub"'; } ?> href="<?php echo base_url('artist/managerphoto') ?>"><i class="fa fa-arrow-circle-right"></i>Photos</a></li> <li><a <?php if ($params1 == 'artist' && $params2 == 'manager-comment') { echo 'class="activesub"'; } ?> href="<?php echo base_url('artist/manager-comment')?>"><i class="fa fa-arrow-circle-right"></i>Comments</a></li> <li><a <?php if ($params1 == 'artist' && $params2 == 'managerpress') { echo 'class="activesub"'; } ?> href="<?php echo base_url('artist/managerpress') ?>"><i class="fa fa-arrow-circle-right"></i>Press</a></li> <li><a <?php if ($params1 == 'artist' && $params2 == 'blogsmanager') { echo 'class="activesub"'; } ?> href="<?php echo base_url('artist/blogsmanager') ?>"><i class="fa fa-arrow-circle-right"></i>Blogs</a></li> <li><a <?php if ($params1 == 'artist' && $params2 == 'basic_info') { echo 'class="activesub"'; } ?> href="<?php echo base_url('artist/basic_info'); ?>"><i class="fa fa-arrow-circle-right"></i>Customize Profile</a></li> </ul> </li> <?php } elseif (isset($user_data['id']) && $user_data['role'] == 2) { ?> <!--view login with account fans --> <li> <span class="wsmenu-click"></span><a <?php if ($params2 == 'fan_feature') { echo 'class="active"'; } ?> href="<?php echo base_url('features/fan_feature') ?>">Fan Features</a> </li> <li> <span class="wsmenu-click"></span><a <?php if ($params2 == 'stop_typing' || $params1 == 'top-100-list') { echo 'class="active"'; } ?> href="#"><i class="fa fa-align-justify"></i>&nbsp;&nbsp;Social Media<span class="arrow"></span></a> <ul class="wsmenu-submenu" style="min-width: 160px;"> <!-- TODO: <li <?php if ($params2 == 'stop_typing') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url('social_media/stop_typing') ?>"><i class="fa fa-arrow-circle-right"></i>1 stop typing</a></li> --> <li <?php if ($params1 == 'top-100-list') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url('top-100-list') ?>"><i class="fa fa-arrow-circle-right"></i>Top 100 Fans - Amp Sales</a></li> </ul> </li> <li> <span class="wsmenu-click"></span><a <?php if ($params1 == 'findamusician' || $params1 == 'artists' || $params1 == 'make_money' || $params1 == 'top-100-list') { echo 'class="active"'; } ?> href="#"><i class="fa fa-music"></i>&nbsp;&nbsp;Earn Money<span class="arrow"></span></a> <ul class="wsmenu-submenu" style="min-width: 160px;"> <li <?php if ($params1 == 'artists') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url('artists') ?>"><i class="fa fa-arrow-circle-right"></i>Create AMP-Video</a></li> <li <?php if ($params1 == 'make_money') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url(); ?>make_money"><i class="fa fa-arrow-circle-right"></i>Artist Music Player</a></li> <li <?php if ($params1 == 'top-100-list') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url('top-100-list') ?>"><i class="fa fa-arrow-circle-right"></i>Top 100 Fans - Amp Sales</a></li> </ul> </li> <li> <span class="wsmenu-click"></span><a <?php if ($params1 == 'fancapture' || $params2 == 'hot_video_picks' || $params1 == 'new-treding') { echo 'class="active"'; } ?> href="#"><i class="fa fa-music"></i>&nbsp;&nbsp;Music Pages<span class="arrow"></span></a> <ul class="wsmenu-submenu" style="min-width: 160px;"> <li <?php if ($params1 == 'fancapture') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url('fancapture') ?>"><i class="fa fa-arrow-circle-right"></i>Meet Our Artist</a></li> <li><a <?php if ($params2 == 'hot_video_picks') { echo 'class="activesub"'; } ?> href="<?php echo base_url('features/hot_video_picks') ?>"><i class="fa fa-arrow-circle-right"></i>Hot Video Picks</a></li> <li <?php if ($params1 == 'features/new-trending') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url('features/new-trending') ?>"><i class="fa fa-arrow-circle-right"></i>Trending Artist</a></li> <li><a <?php if ($params2 == 'world_wide_featured') { echo 'class="activesub"'; } ?> href="<?php echo base_url('world_wide_featured') ?>"><i class="fa fa-arrow-circle-right"></i>World Wide Featured Artist</a></li> <li <?php if ($params1 == 'new_artist') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url('new_artist') ?>"><i class="fa fa-arrow-circle-right"></i>New Artist</a></li> </ul> </li> <li> <span class="wsmenu-click"></span><a <?php if ($params1 == 'amp' && $params2 == $user_data['home_page']) { echo 'class="active"'; } ?> href="<?php echo base_url('amp/'.$user_data['home_page']) ?>"><i class="fa fa-music"></i>&nbsp;&nbsp;Fan Landing</a> </li> <li> <span class="wsmenu-click"></span><a <?php if ($params1 == 'find-a-show') { echo 'class="active"'; } ?> href="<?php echo base_url('find-a-show') ?>"><i class="fa fa-music"></i>&nbsp;&nbsp;Find A Show</a> </li> <?php }//end account Fan ?> <?php } else { ?> <!-- before login --> <li> <span class="wsmenu-click"></span><a <?php if ($params1 == 'features' && ($params2 != 'hot_video_picks')) { echo 'class="active"'; } ?> href="#"><i class="fa fa-align-justify"></i>&nbsp;&nbsp;Features<span class="arrow"></span></a> <ul class="wsmenu-submenu" style="min-width: 160px;"> <li <?php if ($params2 == 'fan') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url('features/fan') ?>"><i class="fa fa-arrow-circle-right"></i>Fan Feature</a></li> <li <?php if ($params2 == 'artist') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url('features/artist') ?>"><i class="fa fa-arrow-circle-right"></i>Artist Feature</a></li> </ul> </li> <li> <span class="wsmenu-click"></span><a <?php if ($params1 == 'local-featured' || $params2 == 'hot_video_picks') { echo 'class="active"'; } ?> href="#"><i class="fa fa-music"></i>&nbsp;&nbsp;Meet Our Artists<span class="arrow"></span></a> <ul class="wsmenu-submenu" style="min-width: 160px;"> <li <?php if ($params2 == 'hot_video_picks') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url('features/hot_video_picks') ?>"><i class="fa fa-arrow-circle-right"></i>Hot Video Picks</a></li> <li><a <?php if ($params1 == 'local-featured') { echo 'class="activesub"'; } ?> href="<?php echo base_url('local-featured') ?>"><i class="fa fa-arrow-circle-right"></i>Local Featured Artist</a></li> <li><a <?php if ($params2 == 'world_wide_featured') { echo 'class="activesub"'; } ?> href="<?php echo base_url('world_wide_featured') ?>"><i class="fa fa-arrow-circle-right"></i>World Wide Featured Artist</a></li> </ul> </li> <li> <span class="wsmenu-click"></span><a <?php if ($params1 == 'findamusician' || $params1 == 'artists' || $params1 == 'make_money' || $params1 == 'top-100-list') { echo 'class="active"'; } ?> href="#"><i class="fa fa-music"></i>&nbsp;&nbsp;Earn Money<span class="arrow"></span></a> <ul class="wsmenu-submenu" style="min-width: 160px;"> <li <?php if ($params1 == 'artists') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url('artists') ?>"><i class="fa fa-arrow-circle-right"></i>Create AMP-Video</a></li> <li <?php if ($params1 == 'make_money') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url(); ?>make_money"><i class="fa fa-arrow-circle-right"></i>Artist Music Player</a></li> <li <?php if ($params1 == 'top-100-list') { echo 'class="activesub"'; } ?>><a href="<?php echo base_url('top-100-list') ?>"><i class="fa fa-arrow-circle-right"></i>Top 100 Fans - Amp Sales</a></li> </ul> </li> <li> <span class="wsmenu-click"></span><a <?php if ($params1 == 'gigs_events') { echo 'class="active"'; } ?> href="<?php echo base_url('gigs_events') ?>"><i class="fa fa-music"></i>&nbsp;&nbsp;SHOWs</a> </li> <li> <span class="wsmenu-click"></span><a <?php if ($params1 == '#') { echo 'class="active"'; } ?> href="<?php echo base_url('#') ?>"><i class="fa fa-music"></i>&nbsp;&nbsp;Search</a> </li> <?php }?> </ul> <ul class="mobile-sub wsmenu-list wsmenu-list-right"> <?php if (isset($user_data)) { ?> <li> <span class="wsmenu-click"></span><a <?php if (($params1 == 'account' && $params2 == 'credit') || ($params1 == 'subscriptions' && $params2 == 'upgrade') || ($params1 == 'artist' && $params2 == 'profile')) { echo 'class="active"'; } if($user_data['role'] == 1) { $image_url = $this->M_user->get_avata($user_data['id']); } else{ $image_url = $this->M_user->get_avata_flp($user_data['id']); } ?> href="#"><img src="<?php echo $image_url?>" width="30"/> <span><?php echo $this->M_user->get_name($user_data['id'])?></span><span class="arrow"></span></a> <ul class="wsmenu-submenu responsive_menu" style="min-width: 160px;"> <?php if ($user_data['role'] == 1) { if ($user_data['is_admin'] != 0) { ?> <li><a href="<?php echo base_url('admin/dashboard') ?>"><i class="fa fa-tachometer"></i>Admin Dashboard</a></li> <?php } ?> <li><a <?php if ($params1 == 'artist' && $params2 == 'profile') { echo 'class="activesub"'; } ?> href="<?php echo base_url('artist/profile') ?>"><i class="fa fa-tachometer"></i> Create Profile</a></li> <li><a <?php if ($params1 == 'amper' && $params2 == 'dashboard') { echo 'class="activesub"'; } ?>href="<?php echo base_url('amper/dashboard') ?>"><i class="fa fa-arrow-circle-right"></i>Music-Player Dashboard</a></li> <?php if ($check_upgrade) { ?><li><a <?php if ($params1 == 'subscriptions' && $params2 == 'subscriptions_plan') { echo 'class="activesub"'; } ?> href="<?php echo base_url('subscriptions/subscriptions_plan') ?>"><i class="fa fa-tachometer"></i> Subscriptions & Billing</a></li> <?php } ?> <!--<li><a <?php if ($params1 == 'subscriptions' && $params2 == 'upgrade') { echo 'class="activesub"'; } ?> href="<?php echo base_url('subscriptions/upgrade') ?>"><i class="fa fa-tachometer"></i> Upgrade Subscriptions </a></li> <li><a <?php if ($params1 == 'subscriptions' && $params2 == 'featured') { echo 'class="activesub"'; } ?> href="<?php echo base_url('subscriptions/featured') ?>"><i class="fa fa-tachometer"></i> Upgrade Subscription – Homepage Placement – Get Fans, Get Noticed! </a></li>--> <li><a href="<?php echo base_url('account/logout') ?>"><i class="fa fa-sign-out"></i>Logout</a></li> <?php } elseif ($user_data['role'] == 2) { ?> <li><a <?php if ($params1 == 'amper' && $params2 == 'dashboard') { echo 'class="activesub"'; } ?>href="<?php echo base_url('amper/dashboard') ?>"><i class="fa fa-arrow-circle-right"></i>AMPER Dashboard</a></li> <?php if ($check_upgrade) { ?><li><a <?php if ($params1 == 'subscriptions' && $params2 == 'subscriptions_plan') { echo 'class="activesub"'; } ?> href="<?php echo base_url('subscriptions/subscriptions_plan') ?>"><i class="fa fa-tachometer"></i> Subscriptions/Billing </a></li> <?php } else { ?><li><a <?php if ($params1 == 'subscriptions' && $params2 == 'upgrade') { echo 'class="activesub"'; } ?> href="<?php echo base_url('subscriptions/upgrade') ?>"><i class="fa fa-tachometer"></i> Upgrade Subscriptions </a></li> <?php } ?> <li><a href="<?php echo base_url('chat/dashboard') ?>"><i class="fa fa-arrow-circle-right"></i>Dashboard Chat</a></li> <li><a href="<?php echo base_url('account/logout') ?>"><i class="fa fa-sign-out"></i> Logout</a></li> <?php } else { ?> <li><a href="<?php echo base_url('account/logout') ?>"><i class="fa fa-sign-out"></i> Logout</a></li> <?php } ?> </ul> </li> <?php } else { ?> <li><a <?php if ($params1 == 'account' && $params2 == 'signup') { echo 'class="active"'; } ?> href="<?php echo base_url('account/signup') ?>"><i class="fa fa-user-plus"></i> Join</a></li> <li><a <?php if ($params1 == 'account' && $params2 == 'login') { echo 'class="active"'; } ?> href="<?php echo base_url('account/login') ?>"><i class="fa fa-sign-in"></i> Login</a></li> <?php } ?> <?php if (!empty($user_data['id'])) { $notyfi_ = $this->M_notify->getnotify($user_data['id'], 1); ?> <li class=" dropdown notifications noti2 "> <a href="" class="dropdown-toggle" data-toggle="dropdown"> <i class="fa fa-globe" style="font-size:2em;display: block!important"></i> <?php if (count($notyfi_) != 0) { ?><span class="badge bg-lightred"><?php echo count($notyfi_)?></span><?php } ?> </a> <div class="dropdown-menu pull-right with-arrow panel panel-default animated littleFadeInLeft"> <div class="panel-heading"> You have <strong><?php echo count($notyfi_)?></strong> notifications unread </div> <ul class="list-group"> <?php $notify = $this->M_notify->getnotify($user_data['id']); foreach ($notify as $row) { if ($row['type'] == 'invite') { $link = base_url().'chat/dashboard'; } elseif ($row['type'] == 'amper_register') { $link = base_url().'amper/dashboard_affiliates'; } elseif ($row['type'] == 'amper_register') { $link = base_url().'amper/dashboard_affiliates'; } elseif ($row['type'] == 'Invite tour') { $link = $row['active_url']; } else { $link = '#'; } ?> <li class="list-group-item"> <a role="button" tabindex="0" class="media" href="<?=$link?>"> <div class="media-body"> <span class="block"><?php echo $row['messages']?></span> <small class="text-muted"><?php echo $this->M_user->time_calculation($row['time'])?></small> </div> </a> </li> <?php } ?> </ul> <div class="panel-footer"> <a href="<?=base_url('notifications/all')?>" role="button" tabindex="0">Show all notifications <i class="fa fa-angle-right pull-right"></i></a> </div> </div> </li> <?php }?> </ul> </nav> <!--Menu HTML Code--> </div> </div> <div class="padingheader-top"></div>
akashbachhania/jeet99
application/views/includes/navbar.php
PHP
mit
45,301
// Copyright (c) 2009-2010 Satoshi Nakamoto // Copyright (c) 2009-2012 The Bitcoin developers // Copyright (c) 2013 The NovaCoin developers // Distributed under the MIT/X11 software license, see the accompanying // file COPYING or http://www.opensource.org/licenses/mit-license.php. #include "txdb.h" #include "miner.h" #include "kernel.h" using namespace std; ////////////////////////////////////////////////////////////////////////////// // // BitcoinMiner // extern unsigned int nMinerSleep; int static FormatHashBlocks(void* pbuffer, unsigned int len) { unsigned char* pdata = (unsigned char*)pbuffer; unsigned int blocks = 1 + ((len + 8) / 64); unsigned char* pend = pdata + 64 * blocks; memset(pdata + len, 0, 64 * blocks - len); pdata[len] = 0x80; unsigned int bits = len * 8; pend[-1] = (bits >> 0) & 0xff; pend[-2] = (bits >> 8) & 0xff; pend[-3] = (bits >> 16) & 0xff; pend[-4] = (bits >> 24) & 0xff; return blocks; } static const unsigned int pSHA256InitState[8] = {0x6a09e667, 0xbb67ae85, 0x3c6ef372, 0xa54ff53a, 0x510e527f, 0x9b05688c, 0x1f83d9ab, 0x5be0cd19}; void SHA256Transform(void* pstate, void* pinput, const void* pinit) { SHA256_CTX ctx; unsigned char data[64]; SHA256_Init(&ctx); for (int i = 0; i < 16; i++) ((uint32_t*)data)[i] = ByteReverse(((uint32_t*)pinput)[i]); for (int i = 0; i < 8; i++) ctx.h[i] = ((uint32_t*)pinit)[i]; SHA256_Update(&ctx, data, sizeof(data)); for (int i = 0; i < 8; i++) ((uint32_t*)pstate)[i] = ctx.h[i]; } // Some explaining would be appreciated class COrphan { public: CTransaction* ptx; set<uint256> setDependsOn; double dPriority; double dFeePerKb; COrphan(CTransaction* ptxIn) { ptx = ptxIn; dPriority = dFeePerKb = 0; } void print() const { printf("COrphan(hash=%s, dPriority=%.1f, dFeePerKb=%.1f)\n", ptx->GetHash().ToString().substr(0,10).c_str(), dPriority, dFeePerKb); BOOST_FOREACH(uint256 hash, setDependsOn) printf(" setDependsOn %s\n", hash.ToString().substr(0,10).c_str()); } }; uint64_t nLastBlockTx = 0; uint64_t nLastBlockSize = 0; int64_t nLastCoinStakeSearchInterval = 0; // We want to sort transactions by priority and fee, so: typedef boost::tuple<double, double, CTransaction*> TxPriority; class TxPriorityCompare { bool byFee; public: TxPriorityCompare(bool _byFee) : byFee(_byFee) { } bool operator()(const TxPriority& a, const TxPriority& b) { if (byFee) { if (a.get<1>() == b.get<1>()) return a.get<0>() < b.get<0>(); return a.get<1>() < b.get<1>(); } else { if (a.get<0>() == b.get<0>()) return a.get<1>() < b.get<1>(); return a.get<0>() < b.get<0>(); } } }; // CreateNewBlock: create new block (without proof-of-work/proof-of-stake) CBlock* CreateNewBlock(CWallet* pwallet, bool fProofOfStake, int64_t* pFees) { // Create new block auto_ptr<CBlock> pblock(new CBlock()); if (!pblock.get()) return NULL; CBlockIndex* pindexPrev = pindexBest; // Create coinbase tx CTransaction txNew; txNew.vin.resize(1); txNew.vin[0].prevout.SetNull(); txNew.vout.resize(1); if (!fProofOfStake) { CReserveKey reservekey(pwallet); CPubKey pubkey; if (!reservekey.GetReservedKey(pubkey)) return NULL; txNew.vout[0].scriptPubKey.SetDestination(pubkey.GetID()); } else { // Height first in coinbase required for block.version=2 txNew.vin[0].scriptSig = (CScript() << pindexPrev->nHeight+1) + COINBASE_FLAGS; assert(txNew.vin[0].scriptSig.size() <= 100); txNew.vout[0].SetEmpty(); } // Add our coinbase tx as first transaction pblock->vtx.push_back(txNew); // Largest block you're willing to create: unsigned int nBlockMaxSize = GetArg("-blockmaxsize", MAX_BLOCK_SIZE_GEN/2); // Limit to betweeen 1K and MAX_BLOCK_SIZE-1K for sanity: nBlockMaxSize = std::max((unsigned int)1000, std::min((unsigned int)(MAX_BLOCK_SIZE-1000), nBlockMaxSize)); // How much of the block should be dedicated to high-priority transactions, // included regardless of the fees they pay unsigned int nBlockPrioritySize = GetArg("-blockprioritysize", 27000); nBlockPrioritySize = std::min(nBlockMaxSize, nBlockPrioritySize); // Minimum block size you want to create; block will be filled with free transactions // until there are no more or the block reaches this size: unsigned int nBlockMinSize = GetArg("-blockminsize", 0); nBlockMinSize = std::min(nBlockMaxSize, nBlockMinSize); // Fee-per-kilobyte amount considered the same as "free" // Be careful setting this: if you set it to zero then // a transaction spammer can cheaply fill blocks using // 1-satoshi-fee transactions. It should be set above the real // cost to you of processing a transaction. int64_t nMinTxFee = MIN_TX_FEE; if (mapArgs.count("-mintxfee")) ParseMoney(mapArgs["-mintxfee"], nMinTxFee); pblock->nBits = GetNextTargetRequired(pindexPrev, fProofOfStake); // Collect memory pool transactions into the block int64_t nFees = 0; { LOCK2(cs_main, mempool.cs); CTxDB txdb("r"); // Priority order to process transactions list<COrphan> vOrphan; // list memory doesn't move map<uint256, vector<COrphan*> > mapDependers; // This vector will be sorted into a priority queue: vector<TxPriority> vecPriority; vecPriority.reserve(mempool.mapTx.size()); for (map<uint256, CTransaction>::iterator mi = mempool.mapTx.begin(); mi != mempool.mapTx.end(); ++mi) { CTransaction& tx = (*mi).second; if (tx.IsCoinBase() || tx.IsCoinStake() || !IsFinalTx(tx, pindexPrev->nHeight + 1)) continue; COrphan* porphan = NULL; double dPriority = 0; int64_t nTotalIn = 0; bool fMissingInputs = false; BOOST_FOREACH(const CTxIn& txin, tx.vin) { // Read prev transaction CTransaction txPrev; CTxIndex txindex; if (!txPrev.ReadFromDisk(txdb, txin.prevout, txindex)) { // This should never happen; all transactions in the memory // pool should connect to either transactions in the chain // or other transactions in the memory pool. if (!mempool.mapTx.count(txin.prevout.hash)) { printf("ERROR: mempool transaction missing input\n"); if (fDebug) assert("mempool transaction missing input" == 0); fMissingInputs = true; if (porphan) vOrphan.pop_back(); break; } // Has to wait for dependencies if (!porphan) { // Use list for automatic deletion vOrphan.push_back(COrphan(&tx)); porphan = &vOrphan.back(); } mapDependers[txin.prevout.hash].push_back(porphan); porphan->setDependsOn.insert(txin.prevout.hash); nTotalIn += mempool.mapTx[txin.prevout.hash].vout[txin.prevout.n].nValue; continue; } int64_t nValueIn = txPrev.vout[txin.prevout.n].nValue; nTotalIn += nValueIn; int nConf = txindex.GetDepthInMainChain(); dPriority += (double)nValueIn * nConf; } if (fMissingInputs) continue; // Priority is sum(valuein * age) / txsize unsigned int nTxSize = ::GetSerializeSize(tx, SER_NETWORK, PROTOCOL_VERSION); dPriority /= nTxSize; // This is a more accurate fee-per-kilobyte than is used by the client code, because the // client code rounds up the size to the nearest 1K. That's good, because it gives an // incentive to create smaller transactions. double dFeePerKb = double(nTotalIn-tx.GetValueOut()) / (double(nTxSize)/1000.0); if (porphan) { porphan->dPriority = dPriority; porphan->dFeePerKb = dFeePerKb; } else vecPriority.push_back(TxPriority(dPriority, dFeePerKb, &(*mi).second)); } // Collect transactions into block map<uint256, CTxIndex> mapTestPool; uint64_t nBlockSize = 1000; uint64_t nBlockTx = 0; int nBlockSigOps = 100; bool fSortedByFee = (nBlockPrioritySize <= 0); TxPriorityCompare comparer(fSortedByFee); std::make_heap(vecPriority.begin(), vecPriority.end(), comparer); while (!vecPriority.empty()) { // Take highest priority transaction off the priority queue: double dPriority = vecPriority.front().get<0>(); double dFeePerKb = vecPriority.front().get<1>(); CTransaction& tx = *(vecPriority.front().get<2>()); std::pop_heap(vecPriority.begin(), vecPriority.end(), comparer); vecPriority.pop_back(); // Size limits unsigned int nTxSize = ::GetSerializeSize(tx, SER_NETWORK, PROTOCOL_VERSION); if (nBlockSize + nTxSize >= nBlockMaxSize) continue; // Legacy limits on sigOps: unsigned int nTxSigOps = tx.GetLegacySigOpCount(); if (nBlockSigOps + nTxSigOps >= MAX_BLOCK_SIGOPS) continue; // Timestamp limit if (tx.nTime > GetAdjustedTime() || (fProofOfStake && tx.nTime > pblock->vtx[0].nTime)) continue; // Transaction fee int64_t nMinFee = tx.GetMinFee(nBlockSize, GMF_BLOCK); // Skip free transactions if we're past the minimum block size: if (fSortedByFee && (dFeePerKb < nMinTxFee) && (nBlockSize + nTxSize >= nBlockMinSize)) continue; // Prioritize by fee once past the priority size or we run out of high-priority // transactions: if (!fSortedByFee && ((nBlockSize + nTxSize >= nBlockPrioritySize) || (dPriority < COIN * 144 / 250))) { fSortedByFee = true; comparer = TxPriorityCompare(fSortedByFee); std::make_heap(vecPriority.begin(), vecPriority.end(), comparer); } // Connecting shouldn't fail due to dependency on other memory pool transactions // because we're already processing them in order of dependency map<uint256, CTxIndex> mapTestPoolTmp(mapTestPool); MapPrevTx mapInputs; bool fInvalid; if (!tx.FetchInputs(txdb, mapTestPoolTmp, false, true, mapInputs, fInvalid)) continue; int64_t nTxFees = tx.GetValueIn(mapInputs)-tx.GetValueOut(); if (nTxFees < nMinFee) continue; nTxSigOps += tx.GetP2SHSigOpCount(mapInputs); if (nBlockSigOps + nTxSigOps >= MAX_BLOCK_SIGOPS) continue; if (!tx.ConnectInputs(txdb, mapInputs, mapTestPoolTmp, CDiskTxPos(1,1,1), pindexPrev, false, true)) continue; mapTestPoolTmp[tx.GetHash()] = CTxIndex(CDiskTxPos(1,1,1), tx.vout.size()); swap(mapTestPool, mapTestPoolTmp); // Added pblock->vtx.push_back(tx); nBlockSize += nTxSize; ++nBlockTx; nBlockSigOps += nTxSigOps; nFees += nTxFees; if (fDebug && GetBoolArg("-printpriority")) { printf("priority %.1f feeperkb %.1f txid %s\n", dPriority, dFeePerKb, tx.GetHash().ToString().c_str()); } // Add transactions that depend on this one to the priority queue uint256 hash = tx.GetHash(); if (mapDependers.count(hash)) { BOOST_FOREACH(COrphan* porphan, mapDependers[hash]) { if (!porphan->setDependsOn.empty()) { porphan->setDependsOn.erase(hash); if (porphan->setDependsOn.empty()) { vecPriority.push_back(TxPriority(porphan->dPriority, porphan->dFeePerKb, porphan->ptx)); std::push_heap(vecPriority.begin(), vecPriority.end(), comparer); } } } } } nLastBlockTx = nBlockTx; nLastBlockSize = nBlockSize; if (fDebug && GetBoolArg("-printpriority")) printf("CreateNewBlock(): total size %"PRIu64"\n", nBlockSize); if (!fProofOfStake) pblock->vtx[0].vout[0].nValue = GetProofOfWorkReward(nFees); if (pFees) *pFees = nFees; // Fill in header pblock->hashPrevBlock = pindexPrev->GetBlockHash(); pblock->nTime = max(pindexPrev->GetPastTimeLimit()+1, pblock->GetMaxTransactionTime()); pblock->nTime = max(pblock->GetBlockTime(), PastDrift(pindexPrev->GetBlockTime())); if (!fProofOfStake) pblock->UpdateTime(pindexPrev); pblock->nNonce = 0; } return pblock.release(); } void IncrementExtraNonce(CBlock* pblock, CBlockIndex* pindexPrev, unsigned int& nExtraNonce) { // Update nExtraNonce static uint256 hashPrevBlock; if (hashPrevBlock != pblock->hashPrevBlock) { nExtraNonce = 0; hashPrevBlock = pblock->hashPrevBlock; } ++nExtraNonce; unsigned int nHeight = pindexPrev->nHeight+1; // Height first in coinbase required for block.version=2 pblock->vtx[0].vin[0].scriptSig = (CScript() << nHeight << CBigNum(nExtraNonce)) + COINBASE_FLAGS; assert(pblock->vtx[0].vin[0].scriptSig.size() <= 100); pblock->hashMerkleRoot = pblock->BuildMerkleTree(); } void FormatHashBuffers(CBlock* pblock, char* pmidstate, char* pdata, char* phash1) { // // Pre-build hash buffers // struct { struct unnamed2 { int nVersion; uint256 hashPrevBlock; uint256 hashMerkleRoot; unsigned int nTime; unsigned int nBits; unsigned int nNonce; } block; unsigned char pchPadding0[64]; uint256 hash1; unsigned char pchPadding1[64]; } tmp; memset(&tmp, 0, sizeof(tmp)); tmp.block.nVersion = pblock->nVersion; tmp.block.hashPrevBlock = pblock->hashPrevBlock; tmp.block.hashMerkleRoot = pblock->hashMerkleRoot; tmp.block.nTime = pblock->nTime; tmp.block.nBits = pblock->nBits; tmp.block.nNonce = pblock->nNonce; FormatHashBlocks(&tmp.block, sizeof(tmp.block)); FormatHashBlocks(&tmp.hash1, sizeof(tmp.hash1)); // Byte swap all the input buffer for (unsigned int i = 0; i < sizeof(tmp)/4; i++) ((unsigned int*)&tmp)[i] = ByteReverse(((unsigned int*)&tmp)[i]); // Precalc the first half of the first hash, which stays constant SHA256Transform(pmidstate, &tmp.block, pSHA256InitState); memcpy(pdata, &tmp.block, 128); memcpy(phash1, &tmp.hash1, 64); } bool CheckWork(CBlock* pblock, CWallet& wallet, CReserveKey& reservekey) { uint256 hashBlock = pblock->GetHash(); uint256 hashTarget = CBigNum().SetCompact(pblock->nBits).getuint256(); if(!pblock->IsProofOfWork()) return error("CheckWork() : %s is not a proof-of-work block", hashBlock.GetHex().c_str()); if (hashBlock > hashTarget) return error("CheckWork() : proof-of-work not meeting target"); //// debug print printf("CheckWork() : new proof-of-work block found \n hash: %s \ntarget: %s\n", hashBlock.GetHex().c_str(), hashTarget.GetHex().c_str()); pblock->print(); printf("generated %s\n", FormatMoney(pblock->vtx[0].vout[0].nValue).c_str()); // Found a solution { LOCK(cs_main); if (pblock->hashPrevBlock != hashBestChain) return error("CheckWork() : generated block is stale"); // Remove key from key pool reservekey.KeepKey(); // Track how many getdata requests this block gets { LOCK(wallet.cs_wallet); wallet.mapRequestCount[hashBlock] = 0; } // Process this block the same as if we had received it from another node if (!ProcessBlock(NULL, pblock)) return error("CheckWork() : ProcessBlock, block not accepted"); } return true; } bool CheckStake(CBlock* pblock, CWallet& wallet) { uint256 proofHash = 0, hashTarget = 0; uint256 hashBlock = pblock->GetHash(); if(!pblock->IsProofOfStake()) return error("CheckStake() : %s is not a proof-of-stake block", hashBlock.GetHex().c_str()); // verify hash target and signature of coinstake tx if (!CheckProofOfStake(pblock->vtx[1], pblock->nBits, proofHash, hashTarget)) return error("CheckStake() : proof-of-stake checking failed"); //// debug print printf("CheckStake() : new proof-of-stake block found \n hash: %s \nproofhash: %s \ntarget: %s\n", hashBlock.GetHex().c_str(), proofHash.GetHex().c_str(), hashTarget.GetHex().c_str()); pblock->print(); printf("out %s\n", FormatMoney(pblock->vtx[1].GetValueOut()).c_str()); // Found a solution { LOCK(cs_main); if (pblock->hashPrevBlock != hashBestChain) return error("CheckStake() : generated block is stale"); // Track how many getdata requests this block gets { LOCK(wallet.cs_wallet); wallet.mapRequestCount[hashBlock] = 0; } // Process this block the same as if we had received it from another node if (!ProcessBlock(NULL, pblock)) return error("CheckStake() : ProcessBlock, block not accepted"); } return true; } void StakeMiner(CWallet *pwallet) { SetThreadPriority(THREAD_PRIORITY_LOWEST); // Make this thread recognisable as the mining thread RenameThread("EddieCoin-miner"); bool fTryToSync = true; while (true) { if (fShutdown) return; while (pwallet->IsLocked()) { nLastCoinStakeSearchInterval = 0; MilliSleep(1000); if (fShutdown) return; } while (vNodes.empty() || IsInitialBlockDownload()) { nLastCoinStakeSearchInterval = 0; fTryToSync = true; MilliSleep(1000); if (fShutdown) return; } if (fTryToSync) { fTryToSync = false; if (vNodes.size() < 3 || nBestHeight < GetNumBlocksOfPeers()) { MilliSleep(60000); continue; } } // // Create new block // int64_t nFees; auto_ptr<CBlock> pblock(CreateNewBlock(pwallet, true, &nFees)); if (!pblock.get()) return; // Trying to sign a block if (pblock->SignBlock(*pwallet, nFees)) { SetThreadPriority(THREAD_PRIORITY_NORMAL); CheckStake(pblock.get(), *pwallet); SetThreadPriority(THREAD_PRIORITY_LOWEST); MilliSleep(500); } else MilliSleep(nMinerSleep); } }
eddietributecoin/EddieCoin
src/miner.cpp
C++
mit
19,965
using System.Threading.Tasks; using Lykke.Service.ExchangeConnector.Client.Models; using MarginTrading.Backend.Core; using MarginTrading.Contract.RabbitMqMessageModels; namespace MarginTrading.Backend.Services.Notifications { public interface IRabbitMqNotifyService { Task AccountHistory(string transactionId, string accountId, string clientId, decimal amount, decimal balance, decimal withdrawTransferLimit, AccountHistoryType type, decimal amountInUsd = default, string comment = null, string eventSourceId = null, string legalEntity = null, string auditLog = null); Task OrderHistory(IOrder order, OrderUpdateType orderUpdateType); Task OrderReject(IOrder order); Task OrderBookPrice(InstrumentBidAskPair quote); Task OrderChanged(IOrder order); Task AccountUpdated(IMarginTradingAccount account); Task AccountStopout(string clientId, string accountId, int positionsCount, decimal totalPnl); Task UserUpdates(bool updateAccountAssets, bool updateAccounts, string[] clientIds); void Stop(); Task AccountCreated(IMarginTradingAccount account); Task AccountDeleted(IMarginTradingAccount account); Task AccountMarginEvent(AccountMarginEventMessage eventMessage); Task UpdateAccountStats(AccountStatsUpdateMessage message); Task NewTrade(TradeContract trade); Task ExternalOrder(ExecutionReport trade); } }
LykkeCity/MT
src/MarginTrading.Backend.Services/Notifications/IRabbitMqNotifyService.cs
C#
mit
1,359
require 'ims/lti' class GuideController < ApplicationController def home end def xml_builder @placements = CanvasExtensions::PLACEMENTS end def xml_config tc = IMS::LTI::Services::ToolConfig.new(:title => "Example Tool Provider", :launch_url => blti_launch_url) tc.description = "This is a Sample Tool Provider." if query_params = request.query_parameters platform = CanvasExtensions::PLATFORM tc.set_ext_param(platform, :selection_width, query_params[:selection_width]) tc.set_ext_param(platform, :selection_height, query_params[:selection_height]) tc.set_ext_param(platform, :privacy_level, 'public') tc.set_ext_param(platform, :text, 'Extension text') tc.set_ext_param(platform, :icon_url, view_context.asset_url('selector.png')) tc.set_ext_param(platform, :domain, request.host_with_port) query_params[:custom_params].each { |_, v| tc.set_custom_param(v[:name].to_sym, v[:value]) } if query_params[:custom_params] query_params[:placements].each { |k, _| create_placement(tc, k.to_sym) } if query_params[:placements] end render xml: tc.to_xml(:indent => 2) end private def create_placement(tc, placement_key) message_type = request.query_parameters["#{placement_key}_message_type"] || :basic_lti_request navigation_params = case message_type when 'content_item_selection' {url: content_item_launch_url, message_type: 'ContentItemSelection'} when 'content_item_selection_request' {url: content_item_request_launch_url, message_type: 'ContentItemSelectionRequest'} else {url: blti_launch_url} end navigation_params[:icon_url] = view_context.asset_url('selector.png') + "?#{placement_key}" navigation_params[:canvas_icon_class] = "icon-lti" navigation_params[:text] = "#{placement_key} Text" tc.set_ext_param(CanvasExtensions::PLATFORM, placement_key, navigation_params) end end
instructure/lti_tool_provider_example
app/controllers/guide_controller.rb
Ruby
mit
2,081
require_relative '../../../spec_helper' require_relative 'shared/constants' require_relative '../../../core/file/shared/read' describe "Digest::SHA512.file" do describe "when passed a path to a file that exists" do before :each do @file = tmp("md5_temp") touch(@file, 'wb') {|f| f.write SHA512Constants::Contents } end after :each do rm_r @file end it "returns a Digest::SHA512 object" do Digest::SHA512.file(@file).should be_kind_of(Digest::SHA512) end it "returns a Digest::SHA512 object with the correct digest" do Digest::SHA512.file(@file).digest.should == SHA512Constants::Digest end it "calls #to_str on an object and returns the Digest::SHA512 with the result" do obj = mock("to_str") obj.should_receive(:to_str).and_return(@file) result = Digest::SHA512.file(obj) result.should be_kind_of(Digest::SHA512) result.digest.should == SHA512Constants::Digest end end it_behaves_like :file_read_directory, :file, Digest::SHA512 it "raises a Errno::ENOENT when passed a path that does not exist" do lambda { Digest::SHA512.file("") }.should raise_error(Errno::ENOENT) end it "raises a TypeError when passed nil" do lambda { Digest::SHA512.file(nil) }.should raise_error(TypeError) end end
ruby/rubyspec
library/digest/sha512/file_spec.rb
Ruby
mit
1,321
--- layout: post title: "ASP.NET Core基本原理(7)-日志" subtitle: "ASP.NET Core Fundamentals-Logging" tags: [netcore, fundamentals, logging] --- ASP.NET Core内置了对日志的支持。通过依赖注入请求`ILoggerFactory`或者`ILogger<T>`可以为应用程序添加日志功能。 ## 在应用程序中实现日志 如果请求了`ILoggerFactory`,那么日志记录器(Logger)就必须通过它的`CreateLogger`方法来创建: ```csharp var logger = loggerFactory.CreateLogger("Catch all Endpoint"); logger.LogInformation("No endpoint found for request {path}", context.Request.Path); ``` 当一个Logger被创建时,必须提供一个类别名称。类别名称指定了日志事件的根源。 ![](http://charlie-blog.oss-cn-shanghai.aliyuncs.com/netcore-fundamentals-logging-1.png) 你可以会发现每次你通过浏览器发起网络请求都会产生多条记录,因为浏览器在尝试加载一个页面的时候会发起多个请求。在控制台记录器显示的日志级别(`info`,`fail`等),类别(`[Catch all Endpoint]`),最后是日志消息。 在真实的应用中,你会希望基于应用程序级别添加日志,而不是基于框架级别或者事件。例如,之前创建的应用[创建ASP.NET Core Web API](http://zhuchenglin.me/my-first-web-api-on-mac)。我们来要为其中的各种操作添加日志记录。 API的逻辑被包含在`UserController`中,在它的构造函数通过依赖注入的方式来请求它所需要的服务。理想情况下,类应当像这个例子一样使用它们的构造函数来[显式地定义它们的依赖项](http://deviq.com/explicit-dependencies-principle/)并作为参数传入,而不是请求一个*ILoggerFactory*并显式创建`ILogger`实例。 在`UserController`中演示了另一种在应用中使用Logger的方式 - 通过请求*ILogger\<T>*(其中*T*是请求Logger的类)。 ```csharp [Route("api/[controller]")] public class UserController : Controller { //public IUserRepository UserItems { get; set; } private readonly IUserRepository _userRepository; private readonly ILogger<UserController> _logger; public UserController(IUserRepository userRepository,ILogger<UserController> logger) { _userRepository = userRepository; _logger = logger; } [HttpGet] public IEnumerable<UserItem> GetAll() { _logger.LogInformation("LoggingEvents.LIST_ITEMS","Listing all items"); return _userRepository.GetAll(); } } ``` 在每个控制器动作方法内,通过本地字段*_logger*来记录日志。这种技术并仅限于控制器内,通过依赖注入它能应用于应用程序内的所有服务中。 ## 使用ILogger 如您所见,应用程序可以在类的构造函数中通过请求到`ILogger<T>`的实例,其中`T`是执行日志记录的类型。`UserController`就演示了这个方法。当使用这种技术时,Logger会自动使用该类型的名称作为其类别的名称。通过请求`ILogger<T>`的实例,类自己不需要通过`ILoggerFactory`来创建一个Logger实例。这种方法可以用在任何不需要用到`ILoggerFactory`所提供的额外功能的任何地方。 ## 日志级别 当添加一个日志语句到的应用程序时,你必须指定一个`LogLevel`。日志级别(LogLevel)可以控制应用程序的日志记录输出的详细程序,以及管理不同类型的日志消息到不同的日志记录器的能力。你可能希望记录调试信息到一个本地文件,且把错误消息记录到计算机的事件日志或者数据库中。 ASP.NET Core定义了日志的6种级别,按重要性和严重程序排序如下: * Trace 用于定义最详细的日志消息,通常只对开发人员调试一个问题有价值。这些信息可能包含敏感的应用程序数据,因此不应该用于生产环境。*默认为禁用*。比如:`Credentials: {"User":"someuser", "Password":"P@ssword"}` * Debug 这种信息在开发阶段的短期内比较有用。它包含了一些可能对调试来说有用的信息,但没有长期的价值。默认情况下这是最详细的日志。比如:`Entering method Configure with flag set to true` * Information 这种信息用于跟踪应用程序的一般流程。与`Debug`级别的信息相反,这些日志应该有一定的长期价值,比如:`Request received for path /foo`。 * Warning 这种信息用于程序流中的异常和意外事件。可能包含错误或者其它不会导致程序停止但可能要在日后调查的流程。比如:`Login failed for IP 127.0.0.1`或者`FileNotFoundException for file foo.txt` * Error 当应用程序流程由于某些没有被处理到的异常等停止则需要记录错误日志。这些信息应当指定当前活动或者操作(比如当前的HTTP请求),而不是应用程序范围的故障。比如:`Cannot insert record due to duplicate key violation` * Critical 这种信息用于不可恢复的应用程序错误或系统错误,或者需要立即被关注的灾难性错误。比如:数据丢失、磁盘空间不够等。 `Logging`包为每一个`LogLevel`值提供了Helper扩展方法,允许你去调用。例如,`LogInformation`,而不是更详细的`Log(LogLevel.Information, ...)`。每个`LogLevel`- 扩展方法有多个重载,允许你传递下面的一些或者所有的参数: * string data 记录信息 * EventId eventId 使用数字类型的id来标记日志,这样可将一系列的日志事件彼此相互关联。事件ID应该是静态的,并且特定于正在记录的特定类型的事件。例如,你可能把添加商品到购物车的事件ID标记为1000,然后把完成一次购买的事件ID标记为1001。这样允许你智能过滤并处理日志记录。`EventId`类型可以隐式转换成`int`,所以,你可以传递一个`int`参数。 * string format 日志信息的格式字符串 * object[] args 用于格式化的一组对象。 * Exception error 用于记录的异常实例。 ## 在应用程序中配置日志 为了在ASP.NET Core应用程序中配置日志,你必须在`Startup`类的`Configure`方法中解析`ILoggerFactory`。ASP.NET Core会使用依赖注入自动提供一个`ILoggerFactory`实例。 ```csharp public void Configure(IApplicationBuilder app, IHostingEnvironment env, ILoggerFactory loggerFactory) ``` 一旦你添加一个`ILoggerFactory`作为参数,你就可以在`Configure`方法中通过在Logger Factory上调用方法来配置了一个日志记录器(Logger)。比如调用`loggerFactory.AddConsole`添加控制台日志记录。 ## 原文链接 [Logging](https://docs.microsoft.com/en-us/aspnet/core/fundamentals/logging) ## 个人博客 [我的个人博客](http://zhuchenglin.me/)
charliethinker/charliethinker.github.io
_posts/2016-12-07-fundamentals-7-logging.markdown
Markdown
mit
6,820
using System; using System.Threading.Tasks; using Anotar.NLog; using CroquetAustralia.Domain.Services.Serializers; using Microsoft.WindowsAzure.Storage; using Microsoft.WindowsAzure.Storage.Queue; namespace CroquetAustralia.Domain.Services.Queues { public abstract class QueueBase : IQueueBase { private readonly Lazy<CloudQueue> _lazyQueue; private readonly string _queueName; private readonly QueueMessageSerializer _serializer; protected QueueBase(string queueName, IAzureStorageConnectionString connectionString) : this(queueName, connectionString, new QueueMessageSerializer()) { } protected QueueBase(string queueName, IAzureStorageConnectionString connectionString, QueueMessageSerializer serializer) { _queueName = queueName; _serializer = serializer; _lazyQueue = new Lazy<CloudQueue>(() => GetQueue(queueName, connectionString.Value)); } private CloudQueue CloudQueue => _lazyQueue.Value; public async Task AddMessageAsync(object @event) { LogTo.Info($"Adding '{@event.GetType().FullName}' to '{_queueName}' queue."); var content = _serializer.Serialize(@event); var message = new CloudQueueMessage(content); await CloudQueue.AddMessageAsync(message); } private static CloudQueue GetQueue(string queueName, string connectionString) { var storageAccount = CloudStorageAccount.Parse(connectionString); var queueClient = storageAccount.CreateCloudQueueClient(); var queue = queueClient.GetQueueReference(queueName); queue.CreateIfNotExists(); return queue; } } }
croquet-australia/api.croquet-australia.com.au
source/CroquetAustralia.Domain/Services/Queues/QueueBase.cs
C#
mit
1,778
module ModPlanet use ModConstants use ModSizeGITM implicit none ! Modified (01/18/07) : SWB : Aij, s-exponents for mutual diffusion ! Modified (06/12/08) : SWB : ordering to species revised ! Modified (06/12/08) : SWB : nSpecies = 6; nSpeciesTotal = 11 ! Majors (6): COntrol the Pressures Gradients and winds integer, parameter :: nSpecies = 6 integer, parameter :: iCO2_ = 1 integer, parameter :: iCO_ = 2 integer, parameter :: iO_ = 3 integer, parameter :: iN2_ = 4 integer, parameter :: iO2_ = 5 integer, parameter :: iAr_ = 6 ! Minors (6) : Ride on background of mean winds derived from majors integer, parameter :: iN4S_ = 7 integer, parameter :: iHe_ = 8 integer, parameter :: iH_ = 9 integer, parameter :: iN2D_ = 10 integer, parameter :: iNO_ = 11 integer, parameter :: nSpeciesTotal = iNO_ ! Major Ions (5): Most Important to MWACM code ! Modified (05/21/08) : SWB : Add N2+ to major ions list integer, parameter :: iOP_ = 1 integer, parameter :: iO2P_ = 2 integer, parameter :: iCO2P_ = 3 integer, parameter :: iN2P_ = 4 integer, parameter :: iNOP_ = 5 integer, parameter :: ie_ = 6 integer, parameter :: nIons = ie_ integer, parameter :: nIonsAdvect = 0 integer, parameter :: nSpeciesAll = 16 !Ions plus neutrals character (len=20) :: cSpecies(nSpeciesTotal) character (len=20) :: cIons(nIons) real :: Mass(nSpeciesTotal), MassI(nIons) real :: Vibration(nSpeciesTotal) integer, parameter :: nEmissionWavelengths = 1 integer, parameter :: nPhotoBins = 1 ! CP : HEAT CAPACITY (OR SPECIFIC HEAT) OF CO2 GAS. real, parameter :: HeatCapacityCO2 = 735.94 ! J/(Kg*K) ! When you want to program in emissions, you can use this... integer, parameter :: nEmissions = 10 real, parameter :: GC_Mars = 3.73 ! m/s^2 real, parameter :: RP_Mars = 88775.0 ! seconds real, parameter :: R_Mars = 3388.25*1000.0 ! meters real, parameter :: DP_Mars = 0.0 real, parameter :: Gravitational_Constant = GC_Mars real, parameter :: Rotation_Period = RP_Mars real, parameter :: RBody = R_Mars real, parameter :: DipoleStrength = DP_Mars real, parameter :: OMEGABody = 2.00*pi/Rotation_Period ! rad/s real, parameter :: HoursPerDay = Rotation_Period / 3600.0 real, parameter :: Tilt = 25.19 ! This is the Vernal Equinox at Midnight (Ls = 0!!!) ! Revised by D. Pawlwoski: 18-FEB-2013 ! Earth-Mars clocks are set from this epoch at vernal equinox integer, parameter :: iVernalYear = 1998 integer, parameter :: iVernalMonth = 7 integer, parameter :: iVernalDay = 14 integer, parameter :: iVernalHour = 13 integer, parameter :: iVernalMinute = 40 integer, parameter :: iVernalSecond = 0 ! real, parameter :: SunOrbit_A = 1.52 ! real, parameter :: SunOrbit_B = 0.04 ! real, parameter :: SunOrbit_C = 0.15 ! real, parameter :: SunOrbit_D = 0.00 ! real, parameter :: SunOrbit_E = 0.00 real, parameter :: SunOrbit_A = 1.52369 real, parameter :: SunOrbit_B = 0.093379 real, parameter :: SunOrbit_C = 335.538 real, parameter :: SunOrbit_D = 355.45332 real, parameter :: SunOrbit_E = 68905103.78 real, parameter :: DaysPerYear = 670.0 real, parameter :: SecondsPerYear = DaysPerYear * Rotation_Period !Used as a damping term in Vertical solver. real, dimension(nAlts) :: VertTau = 1.0e9 logical :: IsEarth = .false. logical :: IsMars = .true. logical :: IsTitan = .false. logical :: NonMagnetic = .true. real, parameter :: PlanetNum = 0.04 character (len=10) :: cPlanet = "Mars" logical :: UseWValue = .false. real :: WValue = 28 !eV integer, parameter :: i3371_ = 1 integer, parameter :: i4278_ = 2 integer, parameter :: i5200_ = 3 integer, parameter :: i5577_ = 4 integer, parameter :: i6300_ = 5 integer, parameter :: i7320_ = 6 integer, parameter :: i10400_ = 7 integer, parameter :: i3466_ = 8 integer, parameter :: i7774_ = 9 integer, parameter :: i8446_ = 10 integer, parameter :: i3726_ = 11 ! real :: KappaTemp0 = 2.22e-4 !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! ! These are Modified for Mars by SWB: 1/18/07 ! -- Most source state Dij = Dji (check) !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! real, parameter, dimension(6, 6) :: Diff0 = 1.0e17 * reshape( (/ & ! These are Aij coefficients from B&K (1973) formulation: Aij*1.0E+17 ! Use Jared Bell's Titan GITM formulation for Mars GITM ! integer, parameter :: iCO2_ = 1 ! integer, parameter :: iCO_ = 2 ! integer, parameter :: iO_ = 3 ! integer, parameter :: iN2_ = 4 ! integer, parameter :: iO2_ = 5 ! integer, parameter :: iAr_ = 6 !------------------------------------------------+ ! i=C02 CO O N2 O2 Ar !------------------------------------------------+ 0.0000, 0.7762, 0.2219, 0.6580, 0.5770, 1.1920, & ! CO2 0.7762, 0.0000, 0.9466, 0.9280, 0.8300, 0.6625, & ! CO 0.2219, 0.9466, 0.0000, 0.9690, 0.9690, 0.5510, & ! O 0.6580, 0.9280, 0.9690, 0.0000, 0.7150, 0.6640, & ! N2 0.5770, 0.8300, 0.9690, 0.7150, 0.0000, 0.7170, & ! O2 1.1920, 0.6625, 0.5510, 0.6640, 0.7170, 0.000 /), (/6,6/) )! Ar ! These are s-exponents from B&K (1973) formulation: T**s real, parameter, dimension(6, 6) :: DiffExp = reshape( (/ & !------------------------------------------------+ ! i=C02 CO O N2 O2 Ar !------------------------------------------------+ 0.000, 0.750, 0.750, 0.752, 0.749, 0.750, & ! CO2 0.750, 0.000, 0.750, 0.710, 0.724, 0.750, & ! CO 0.750, 0.750, 0.000, 0.774, 0.774, 0.841, & ! O 0.752, 0.710, 0.774, 0.000, 0.750, 0.752, & ! N2 0.749, 0.724, 0.774, 0.750, 0.000, 0.736, & ! O2 0.750, 0.750, 0.841, 0.752, 0.736, 0.000 /), (/6,6/) ) ! AR ! Arrays filled in init_radcool in data statements (np = 68) integer, parameter :: np=68,nInAlts = 124 real,dimension(np) :: pnbr,ef1,ef2,co2vmr,o3pvmr,n2covmr !! Stuff for initial conditions real , Dimension(nInAlts) :: newalt real , Dimension(nInAlts) :: InTemp real , Dimension(nInAlts) :: IneTemp real , Dimension(nInAlts) :: InITemp real , Dimension(nInAlts,nSpeciesTotal) :: InNDensityS real , Dimension(nInAlts,nIons) :: InIDensityS integer, parameter:: nDustLinesMax = 4000, nDustLats = 36 integer :: nDustTimes,nConrathTimes real, dimension(nDustLinesMax) :: TimeDust,TimeConrath real, dimension(nDustLinesMax,nLats,nBlocksMax) :: HorizontalDustProfile real, dimension(nDustLinesMax,nLats,nBlocksMax) :: HorizontalConrathProfile real, dimension(nLons, nLats,nBlocksMax) :: & fir,fvis,Tbot,TopL,Psurf,P125,iAltMinIono,DustDistribution,ConrathDistribution !################ Nelli, April 07 ########################## !Setting up parameters needed by the correlated k lower !atmosphere radiation code ! Number of atmospheric layers integer, PARAMETER :: LL_LAYERS = nAlts ! Number of atmospheric levels: 2 * LL_LAYERS + 3 integer, PARAMETER :: LL_LEVELS = 2*LL_LAYERS+3 !C LL_NLAYRAD is the number of radiation code layers !C LL_NLEVRAD is the number of radiation code levels. Level N is the !C integer, PARAMETER :: LL_NLAYRAD = LL_LAYERS+1 integer, PARAMETER :: LL_NLEVRAD = LL_LAYERS+2 ! Bottom layer subsurface temperature real, parameter :: CoreTemp = 175.0 ! Surface and subsurface temperature constants real, parameter :: Pa = 5.927E+7 real, parameter :: Pd = 88775.0 ! Stefan-Boltzmann constant in SI real, parameter :: SBconstant = 5.67E-8 ! Ls variable real :: ell_s !C======================================================================C !C !C RADINC.H RADiation INCludes !C !C Includes for the radiation code; RADIATION LAYERS, LEVELS, !C number of spectral intervals. . . !C !C GCM2.0 Feb 2003 !C !C======================================================================C !C RADIATION parameters !C In radiation code, layer 1 corresponds to the stratosphere. Level !C 1 is the top of the stratosphere. The dummy layer is at the same !C temperature as the (vertically isothermal) stratosphere, and !C any time it is explicitly needed, the appropriate quantities will !C be dealt with (aka "top". . .) !C !C L_NSPECTI is the number of IR spectral intervals !C L_NSPECTV is the number of Visual(or Solar) spectral intervals !C L_NGAUSS is the number of Gauss points for K-coefficients !C GAUSS POINT 9 (aka the last one) is the special case !C L_NWNGI is L_NSPECTI*L_NGAUSS; the total number of "intervals" !C in the IR !C L_NWNGV is L_NSPECTV*L_NGAUSS; the total number of "intervals" !C in the VISUAL !C !C L_NPREF is the number of reference pressures that the !C k-coefficients are calculated on !C L_PINT is the number of Lagrange interpolated reference !C pressures for the CO2 k-coefficients. !C L_NTREF is the number of refernce temperatures for the !C k-coefficients !C L_TAUMAX is the largest optical depth - larger ones are set !C to this value. !C !C L_REFH2O The number of different water-mixing ratio values for !C the k-coefficients that are now CO2+H2O. !C !C L_NREFV The spectral interval number of the visible reference !C wavelength (i.e. the 0.67 micron band) !C !C !C L_NLTE The number of different LTE/NLTE heating rate conversion !C factors !C !C----------------------------------------------------------------------C integer, parameter :: L_NSPECTI = 5 integer, parameter :: L_NSPECTV = 7 integer, parameter :: L_NGAUSS = 17 integer, parameter :: L_NPREF = 11 integer, parameter :: L_NTREF = 7 integer, parameter :: L_TAUMAX = 35 integer, parameter :: L_PINT = 51 integer, parameter :: L_REFH2O = 10 integer, parameter :: L_NREFV = 6 integer, parameter :: L_NLTE = 37 !C----------------------------------------------------------------------C !C !C radcommon.h !C FORTRAN PARAMETERS !C GCM2.0 Feb 2003 !C !C----------------------------------------------------------------------C !C !C "Include" grid.h and radinc.h before this file in code that uses !C some or all of this common data set !C !C WNOI - Array of wavenumbers at the spectral interval !C centers for the infrared. Array is NSPECTI !C elements long. !C DWNI - Array of "delta wavenumber", i.e., the width, !C in wavenumbers (cm^-1) of each IR spectral !C interval. NSPECTI elements long. !C WAVEI - Array (NSPECTI elements long) of the wavelenght !C (in microns) at the center of each IR spectral !C interval. !C WNOV - Array of wavenumbers at the spectral interval !C center for the VISUAL. Array is NSPECTV !C elements long. !C DWNV - Array of "delta wavenumber", i.e., the width, !C in wavenumbers (cm^-1) of each VISUAL spectral !C interval. NSPECTV elements long. !C WAVEV - Array (NSPECTV elements long) of the wavelenght !C (in microns) at the center of each VISUAL spectral !C interval. !C SOLARF - Array (NSPECTV elements) of solar flux (W/M^2) in !C each spectral interval. Values are for 1 AU, and !C are scaled to the Mars distance elsewhere. !C SOL - Solar flux at Mars (W/M^2) !C TAURAY - Array (NSPECTV elements) of the pressure-independent !C part of Rayleigh scattering optical depth. !C PTOP - Pressure at the top of the radiation code coordinate; !C = 0.5*Ptrop !C FZEROI - Fraction of zeros in the IR CO2 k-coefficients, for !C each temperature, pressure, and spectral interval !C FZEROV - Fraction of zeros in the VISUAL CO2 k-coefficients, for !C each temperature, pressure, and spectral interval !C !C AEROSOL RADIATIVE OPTICAL CONSTANTS !C Values are at the wavelenght interval center !C !C MIE SCATTERING - Size distribution weighted !C Qextv - Extinction efficiency - in the visual. !C QextREF - Reference visual wavelength (.67 micron band) !C Qscatv - Scattering efficiency - in the visual. !C WV - Single scattering albedo - in the visual. !C GV - Asymmetry parameter - in the visual. !C !C Qexti - Extinction efficiency - in the infrared. !C Qscati - Scattering efficiency - in the infrared. !C WI - Single scattering albedo - in the infrared. !C GI - Asymmetry parameter - in the infrared. !C !C VIS2IR - VISIBLE (0.67 micron band) to IR (9 micron band) ratio. !C !C XLTEFACTOR - correction factor for over-prediction of heating rates !C by the LTE code. Occurs at pressures where NLTE processes !C become important !C !C XLTEPRESSURE - pressure regime at which each factor is to be applied !C !C "Include" grid.h and radinc.h before this file in code that uses !C some or all of this common data set REAL :: WNOI(L_NSPECTI), DWNI(L_NSPECTI), WAVEI(L_NSPECTI) REAL :: WNOV(L_NSPECTV), DWNV(L_NSPECTV), WAVEV(L_NSPECTV) REAL :: SOLARF(L_NSPECTV), TAURAY(L_NSPECTV),SOL(L_NSPECTV) real :: CO2I(L_NTREF,L_PINT,L_REFH2O,L_NSPECTI,L_NGAUSS) real :: CO2V(L_NTREF,L_PINT,L_REFH2O,L_NSPECTV,L_NGAUSS) real :: FZEROI(L_NSPECTI) real :: FZEROV(L_NSPECTV) real :: PGASREF(L_NPREF), TGASREF(L_NTREF) real :: qextv(L_NSPECTV), qscatv(L_NSPECTV), wv(L_NSPECTV) real :: gv(L_NSPECTV) real :: QextREF, VIS2IR, Cmk, tlimit real :: qexti(L_NSPECTI), qscati(L_NSPECTI), wi(L_NSPECTI) real :: gi(L_NSPECTI) real :: planckir(L_NSPECTI,8501) real :: PTOP, UBARI, GWEIGHT(L_NGAUSS) real :: PFGASREF(L_PINT) !C H2O and CO2 k-coefficients mixed real :: WREFCO2(L_REFH2O), WREFH2O(L_REFH2O) !C LTE/NLTE heating rate conversion factors and associated pressures real :: XLTEFACTOR(L_NLTE),XLTEPRESSURE(L_NLTE) ! These are for the Gauss-split 0.95 case DATA GWEIGHT / 4.8083554740D-02, 1.0563099137D-01,& 1.4901065679D-01, 1.7227479710D-01,& 1.7227479710D-01, 1.4901065679D-01,& 1.0563099137D-01, 4.8083554740D-02,& 2.5307134073D-03, 5.5595258613D-03,& 7.8426661469D-03, 9.0670945845D-03,& 9.0670945845D-03, 7.8426661469D-03,& 5.5595258613D-03, 2.5307134073D-03, 0.0D0 / DATA UBARI / 0.5 / !C These are for the CO2+H2O k-coefficients DATA WREFCO2 / 9.999999D-1, 9.99999D-1, 9.9999D-1, 9.999D-1,& 9.99D-1, 9.9D-1, 9.0D-1, 8.0D-1, 7.0D-1, 6.0D-1 / DATA WREFH2O / 1.0D-7, 1.0D-6, 1.0D-5, 1.0D-4, 1.0D-3, 1.0D-2,& 1.0D-1, 2.0D-1, 3.0D-1, 4.0D-1 / DATA Cmk / 3.51E+22 / DATA TLIMIT / 0.5 / ! --------------------------------------------------------------------------- ! Lopez-Valverde et al. (1998) Table 1, pg. 16809. ! ! DATA XLTEFACTOR / 1.007, 1.007, 1.007, 1.007, 1.008,& ! 1.009, 1.013, 1.017, 1.021, 1.027,& ! 1.033, 1.040, 1.047, 1.054, 1.061,& ! 1.069, 1.078, 1.087, 1.099, 1.112,& ! 1.129, 1.149, 1.174, 1.209, 1.263,& ! 1.344, 1.459, 1.608, 1.796, 2.033,& ! 2.343, 2.777, 3.404, 4.366, 5.856,& ! 8.161, 11.908, 17.791, 27.030, 40.897,& ! 60.798, 82.660,111.855,146.365,185.922,& ! 237.435,284.487,346.883,422.071,513.978,& ! 635.594 / ! ! DATA XLTEPRESSURE / 1.122E-1, 8.822E-2, 6.912E-2, 5.397E-2, 4.202E-2,& ! 3.261E-2, 2.523E-2, 1.946E-2, 1.497E-2, 1.149E-2,& ! 8.793E-3, 6.713E-3, 5.115E-3, 3.890E-3, 2.953E-3,& ! 2.239E-3, 1.696E-3, 1.284E-3, 9.719E-4, 7.355E-4,& ! 5.566E-4, 4.212E-4, 3.187E-4, 2.412E-4, 1.825E-4,& ! 1.381E-4, 1.045E-4, 7.908E-5, 5.984E-5, 4.530E-5,& ! 3.430E-5, 2.600E-5, 1.973E-5, 1.500E-5, 1.145E-5,& ! 8.761E-6, 6.731E-6, 5.192E-6, 4.024E-6, 3.141E-6,& ! 2.478E-6, 1.981E-6, 1.601E-6, 1.306E-6, 1.076E-6,& ! 8.939E-7, 7.462E-7, 6.242E-7, 5.234E-7, 4.397E-7,& ! 3.702E-7 / ! ! --------------------------------------------------------------------------- ! Bougher (2011) Calculated wrt QNLTE from MTGCM case for SZA = 0.0 ! -- Ls = 90; F10.7 = 70; dust = weak DATA XLTEFACTOR / 1.00, 1.000, 1.000, 1.000, 1.000,& 1.000, 1.000, 1.000, 1.000, 1.000,& 1.000, 1.000, 1.000, 1.000, 1.000,& 1.000, 1.000, 1.020, 1.040, 1.081,& 1.13225, 1.13704, 1.2334, 1.32968, 2.47989,& 5.17858, 9.21052, 13.9471, 19.1293, 25.9336,& 45.9666, 113.783, 146.843, 212.959, 500.000,& 1000.00, 1000.00 / ! mbar scale DATA XLTEPRESSURE / 1.122E-1, 8.822E-2, 6.912E-2, 5.397E-2, 4.202E-2,& 3.261E-2, 2.523E-2, 1.946E-2, 1.497E-2, 1.149E-2,& 8.793E-3, 6.713E-3, 5.115E-3, 3.890E-3, 2.953E-3,& 2.239E-3, 1.696E-3, 1.284E-3, 9.719E-4, 7.982E-4,& 4.841E-4, 2.936E-4, 1.781E-4, 1.080E-4, 6.550E-5,& 3.970E-5, 2.410E-5, 1.460E-5, 8.900E-6, 5.400E-6,& 3.300E-6, 2.000E-6, 1.200E-6, 7.000E-7, 5.234E-7,& 4.397E-7, 3.702E-7 / ! --------------------------------------------------------------------------- !C PLANCK defined variable ! planckir !C SETSPI and SETSPV defined variables ! WNOI, DWNI, WAVEI, WNOV, DWNV, WAVEV ! SOLARF, TAURAY, PTOP, TAUREF, GWEIGHT, UBARI ! PFGASREF !C SETRAD defined variables ! CO2I, CO2V, PGASREF, TGASREF ! QEXTV, QSCATV, WV, GV ! QEXTI, QSCATI, WI, GI, QextREF, VIS2IR ! fzeroi, fzerov ! WREFCO2, WREFH2O !##################################################### real*4 :: dummyalbedo(24,36), dummyti(24,36) contains subroutine init_planet use ModTime use ModIoUnit, only : UnitTmp_ integer :: iTime(7), iiAlt,ialt ! Mass = AMU * mean molecular weight (unlike TGCM codes) Mass(iO_) = 15.9994 * AMU Mass(iCO_) = 12.011 * AMU + Mass(iO_) Mass(iCO2_) = Mass(iCO_) + Mass(iO_) Mass(iN4S_) = 14.00674 * AMU Mass(iN2D_) = Mass(iN4S_) Mass(iN2_) = Mass(iN4S_) * 2 Mass(iNO_) = Mass(iN4S_) + Mass(iO_) Mass(iO2_) = 2 * Mass(iO_) Mass(iAr_) = 39.948 * AMU Mass(iHe_) = 4.0026 * AMU Mass(iH_) = 1.0079 * AMU cSpecies(iO_) = "O" cSpecies(iO2_) = "O!D2!N" cSpecies(iN4S_) = "N" cSpecies(iN2_) = "N!D2!N" cSpecies(iCO_) = "CO" cSpecies(iCO2_) = "CO!D2!N" cSpecies(iNO_) = "NO" cSpecies(iAr_) = "Ar" cSpecies(iH_) = "H" cSpecies(iHe_) = "He" cIons(iO2P_) = "O!D2!U+!N" cIons(iCO2P_) = "CO!D2!U+!N" cIons(iNOP_) = "NO!U+!N" cIons(iOP_) = "O!U+!N" cIons(iN2P_) = "N!D2!U+!N" cIons(ie_) = "e-" Vibration(iCO2_) = 7.0 ! Corrected by Bougher (01/18/07)!!!! Vibration(iCO_) = 7.0 Vibration(iO_) = 5.0 Vibration(iN2_) = 7.0 MassI(iOP_) = Mass(iO_) MassI(iNOP_) = Mass(iO_) + Mass(iN2_)/2.0 MassI(iCO2P_) = Mass(iCO2_) MassI(iO2P_) = Mass(iO2_) MassI(ie_) = Mass_Electron itime = 0 itime(1) = iVernalYear itime(2) = iVernalMonth itime(3) = iVernalDay itime(4) = iVernalHour itime(5) = iVernalMinute itime(6) = iVernalSecond call time_int_to_real(itime, VernalTime) write(*,*) 'Reading in the Mars_input.txt' open(UNIT = 67, FILE = 'UA/DataIn/ALBEDO_ASCII', & STATUS='OLD', ACTION = 'READ') read(67,*) dummyalbedo close(UNIT = 67) open(UNIT = 68, FILE = 'UA/DataIn/THERMAL_ASCII', & STATUS='OLD', ACTION = 'READ') read(68,*) dummyti close(UNIT = 68) open(UNIT = UnitTmp_, FILE = 'UA/DataIn/NewMarsAtm_2p5km.txt', & STATUS='OLD', ACTION = 'READ') 111 FORMAT(F6.2,1X, F8.2,1X, F8.2,1X, F8.2,1X, & ES10.3,1X, ES10.3, 1X, ES10.3, 1X, ES10.3, 1X, & ES10.3, 1X, ES10.3, 1X, ES10.3) InNDensityS(:,:) = 1.0e+3 InIDensityS(:,:) = 1.0e+3 do iiAlt = 1,124 read(UnitTmp_,111) & newalt(iiAlt), & InTemp(iiAlt), & InITemp(iiAlt), & IneTemp(iiAlt), & ! InNDensityS(iiAlt,iCO2_), & InNDensityS(iiAlt,iO2_), & InNDensityS(iiAlt,iCO_), & InNDensityS(iiAlt,iN2_), & ! InNDensityS(iiAlt,iO_), & InNDensityS(iiAlt,iAr_), & InIDensityS(iiAlt,ie_) end do InNDensityS = Alog(inNDensityS) close(Unit = UnitTmp_) !######## Nelli, April 07 ################################ ! !C PURPOSE IS TO SET UP THE CORRELATED K LOWER ATMOPSHERE !C RADIATION CODE. !C INITIALIZATION CONSISTS MAINLY OF READING INPUT VALUES, !C CALCULATING CONSTANTS FOR USE IN THE RADIATION CODE, AND !C INITIALIZING THE SET OF VALUES MAINTAINED FOR EACH BAND PASS !C Set up the radiation code stuff CALL RADSETUP !########################################################### end subroutine init_planet !################ Nelli, April 07 ########################## !Filling arrays needed by the correlated k lower !atmosphere radiation code subroutine radsetup !C GCM2.0 Feb 2003 !C !C PURPOSE: !C Bundle the new radiation code setup subroutines and call !C this one subroutine from main, where the three included files !C are also listed. Quantities are passed between this driver !C and the radiation code via common (in radcommon.h). !C !C----------------------------------------------------------------------C implicit none REAL :: FACTOR INTEGER :: NW !C======================================================================C call setspv call setspi call setrad !C Scale IR opacities (Qexti and Qscati) such that !C TAU(0.67 micron)/TAU(9 micron) = VIS2IR, which nominally is 2. QextREF = Qextv(L_NREFV) VIS2IR = 2.75D0 factor = Qextv(6)/(VIS2IR*Qexti(4)) DO NW=1,L_NSPECTI Qexti(NW) = Qexti(NW)*factor Qscati(NW) = Qscati(NW)*factor END DO PTOP = 10.0**PFGASREF(1) print*,'vis2ir=',vis2ir end subroutine radsetup !%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%% SUBROUTINE SETSPV !C GCM2.0 Feb 2003 !C !C PURPOSE: !C Set up the spectral intervals in the Visual (solar). Based !C on Chris McKay's SETSPV code. !C !C AUTHOR !C Jim Schaeffer !C !C UPDATES FOR !C Bob Haberle !C !C ENVIRONMENT !C Sun ULTRA-2 SOLARIS 2.5.1 FORTRAN !C !C REVISION HISTORY !C Original 9/17/1998 !C VERSION 2.0 OCT 2001 !C !C INPUT PARAMETERS !C L_NSPECTV - Number of spectral intervals in the Visual !C !C OUTPUT PARAMETERS !C WNOV - Array of wavenumbers at the spectral interval !C center for the VISUAL. Array is NSPECTV !C elements long. !C DWNV - Array of "delta wavenumber", i.e., the width, !C in wavenumbers (cm^-1) of each VISUAL spectral !C interval. NSPECTV elements long. !C WAVEV - Array (NSPECTV elements long) of the wavelenght !C (in microns) at the center of each VISUAL spectral !C interval. !C SOLARF - Array (NSPECTV elements) of solar flux (W/M^2) in !C each spectral interval. Values are for 1 AU, and !C are scaled to the Mars distance elsewhere. !C TAURAY - Array (NSPECTV elements) of the wavelength dependent !C part of Rayleigh Scattering. The pressure dependent !C part is computed elsewhere (OPTCV). !C CALLED BY !C RADIATION !C !C SUBROUTINES CALLED !C NONE !C !C**********************************************************************C implicit none !C BWNV - Bin wavenumber of the edges of the VISUAL spectral bins !C units are inverse centimeters. Dimension needs to be changed !C if the number of VISUAL bins changes. REAL :: BWNV(L_NSPECTV+1) REAL :: SOLAR(L_NSPECTV) REAL :: P0, GRAV, SCALEP, SUM, WL INTEGER :: N, M !C P0 - Rayleigh scattering reference pressure in pascals. !C GRAV - Acceleration due to gravity (g) - MKS !C SCALEP - multiply by 100 to convert pressure from millibars !C to pascals. DATA P0 / 9.423D+6 / DATA GRAV / 3.72 / DATA SCALEP / 100.0 / !C Bin wavenumber - wavenumber [cm^(-1)] at the edges of the VISUAL !C spectral bins. Go from smaller to larger wavenumbers, the same as !C in the IR. DATA BWNV / 2222.22D0, 3087.37D0, 4030.63D0, 5370.57D0,& 7651.11D0, 12500.00D0, 25000.00D0, 41666.67D0 / !C Solar flux within each spectral interval, at 1AU (W/M^2) !C Sum equals 1356 W/m^2 (values from Allen, 4th edition) DATA SOLAR / 17.0, 29.0, 52.0, 148.0, 348.0, 643.0, 118.0 / !C======================================================================C !C Set up mean wavenumbers and wavenumber deltas. Units of !C wavenumbers is cm^(-1); units of wavelengths is microns. do M=1,L_NSPECTV WNOV(M) = 0.5*(BWNV(M+1)+BWNV(M)) DWNV(M) = BWNV(M+1)-BWNV(M) WAVEV(M) = 1.0E+4/WNOV(M) end do !C Sum the solar flux, and write out the result. sum = 0.0 do N=1,L_NSPECTV SOLARF(N) = SOLAR(N) sum = sum+SOLARF(N) end do write(6,'("Solar flux at 1AU = ",f7.2," W/M^2")') sum !C Set up the wavelength dependent part of Rayleigh Scattering. !C The pressure dependent part will be computed elsewhere (OPTCV). !C WAVEV is in microns. There is no Rayleigh scattering in the IR. do N=1,L_NSPECTV WL = WAVEV(N) TAURAY(N) = (8.7/grav)*(1.527*(1.0+0.013/wl**2)/wl**4)*& scalep/P0 end do END SUBROUTINE SETSPV !%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%% subroutine setspi !C GCM2.0 Feb 2003 !C !C PURPOSE: !C Set up the spectral intervals in the infrared. Based on !C Chris McKay's SETSPI code. !C !C AUTHOR !C Jim Schaeffer !C !C UPDATES FOR !C Bob Haberle !C !C ENVIRONMENT !C Sun ULTRA-2 SOLARIS 2.5.1 FORTRAN !C !C REVISION HISTORY !C Original 9/17/1998 !C VERSION 2 OCT 2001 !C !C INPUT PARAMETERS !C L_NSPECTI - Number of spectral intervals in the INFRARED !C !C OUTPUT PARAMETERS !C WNOI - Array of wavenumbers at the spectral interval !C centers for the infrared. Array is NSPECTI !C elements long. !C DWNI - Array of "delta wavenumber", i.e., the width, !C in wavenumbers (cm^-1) of each IR spectral !C interval. NSPECTI elements long. !C WAVEI - Array (NSPECTI elements long) of the wavelenght !C (in microns) at the center of each IR spectral !C interval. !C !C CALLED BY !C RADIATION !C !C SUBROUTINES CALLED !C NONE !C !C**********************************************************************C implicit none !C BWNI - Bin wavenumber of the edges of the IR spectral bins !C units are inverse centimeters. Dimension needs to be changed !C if the number of IR bins changes. REAL :: BWNI(L_NSPECTI+1) real :: a, b, x(12), w(12), ans, y, bpa, bma, T real :: c1, c2, wn1, wn2, PI integer :: n, nw, nt, m !C C1 and C2 values from Goody and Yung (2nd edition) MKS units !C These values lead to a "sigma" (sigma*T^4) of 5.67032E-8 W m^-2 K^-4 data c1 / 3.741832D-16 / ! W m^-2 data c2 / 1.438786D-2 / ! m K data PI / 3.14159265358979D0 / data x / -0.981560634246719D0, -0.904117256370475D0,& -0.769902674194305D0, -0.587317954286617D0,& -0.367831498998180D0, -0.125233408511469D0,& 0.125233408511469D0, 0.367831498998180D0,& 0.587317954286617D0, 0.769902674194305D0,& 0.904117256370475D0, 0.981560634246719D0 / data w / 0.047175336386512D0, 0.106939325995318D0,& 0.160078328543346D0, 0.203167426723066D0,& 0.233492536538355D0, 0.249147045813403D0,& 0.249147045813403D0, 0.233492536538355D0,& 0.203167426723066D0, 0.160078328543346D0,& 0.106939325995318D0, 0.047175336386512D0 / !C======================================================================C !C Bin wavenumber - wavenumber [cm^(-1)] at the edges of the IR !C spectral bins. BWNI( 1) = 10.000D0 BWNI( 2) = 166.667D0 BWNI( 3) = 416.667D0 BWNI( 4) = 833.333D0 BWNI( 5) = 1250.000D0 BWNI( 6) = 2500.000D0 !C Set up mean wavenumbers and wavenumber deltas. Units of !C wavenumbers is cm^(-1); units of wavelengths is microns. do M=1,L_NSPECTI WNOI(M) = 0.5*(BWNI(M+1)+BWNI(M)) DWNI(M) = BWNI(M+1)-BWNI(M) WAVEI(M) = 1.0E+4/WNOI(M) end do !C For each IR wavelength interval, compute the integral of B(T), the !C Planck function, divided by the wavelength interval, in cm-1. The !C integration is in MKS units, the final answer is the same as the !C original planck.f; W m^-2 wavenumber^-1, where wavenumber is in CM^-1. DO NW=1,L_NSPECTI a = 1.0D-2/BWNI(NW+1) b = 1.0D-2/BWNI(NW) bpa = (b+a)/2.0 bma = (b-a)/2.0 do nt=500,9000 T = dble(NT)/1.0D+1 ans = 0.0D0 do m=1,12 y = bma*x(m)+bpa ans = ans + w(m)*c1/(y**5*(exp(c2/(y*T))-1.0D0)) end do planckir(NW,nt-499) = ans*bma/(PI*DWNI(NW)) end do END DO end subroutine setspi !%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%% subroutine setrad !C GCM2.0 Feb 2003 !C !C PURPOSE: !C Set up values used by the radiation code, such as the CO2 gas !C absorption coefficients. True constants are defined, and the !C time-independent quantities used by the radiation code are !C calculated. !C !C AUTHOR !C !C !C UPDATES FOR !C Jim Pollack !C !C ENVIRONMENT !C NAS Cray-YMP UNICOS FORTRAN !C !C REVISION HISTORY !C See notes from J. Pollack dated 2/20/90 and 3/12/90. !C Modified Cmk See note from Jim Pollack dated 1/11/91. !C Several - See note dated 1/23/91 from Jim Pollack. !C VERSION 2.0 OCT 2001 !C !C INPUT PARAMETERS !C DTAU(L,M) - Dust optical depth of layer L, and for aerosol !C species M. !C ptrop - Pressure of the tropopause (mb) !C SCALEP - Factor to convert pressures from millibars to !C Pascals !C !C OUTPUT PARAMETERS !C PTOP - Pressure at the TOP of the stratosphere ( or !C equivalently, at the bottom of the dummy layer. !C PTOP = PTROP*SDUMMY !C !C AEROSOL RADIATIVE OPTICAL CONSTANTS !C Values are at the wavelenght interval center !C !C MIE SCATTERING - Size distribution weighted !C Qextv - Extinction efficiency - in the visual. !C Qscatv - Scattering efficiency - in the visual. !C WV - Single scattering albedo - in the visual. !C GV - Asymmetry parameter - in the visual. !C !C Qexti - Extinction efficiency - in the infrared. !C Qscati - Scattering efficiency - in the infrared. !C WI - Single scattering albedo - in the infrared. !C GI - Asymmetry parameter - in the infrared. !C !C CALLED BY !C RAD !C !C SUBROUTINES CALLED !C DMIESS, PLNK !C !C----------------------------------------------------------------------C implicit none integer :: N, NS real :: qev1(L_NSPECTV) real :: qsv1(L_NSPECTV) real :: gv1(L_NSPECTV) real :: qei1(L_NSPECTI) real :: qsi1(L_NSPECTI) real :: gi1(L_NSPECTI) integer :: nt, np, nw, ng !C----------------------------------------------------------------------C !C Visible dust properties: Ockert-Bell Planck-weighted values (T=6000K) !C Qext - Ockert-Bell values (order is increasing waveNUMBER) !C VISULAL WAVELENGTHS. data qev1 / 2.529D0, 2.949D0, 3.209D0, 3.337D0, 3.207D0,& 2.938D0, 2.622D0 / !C Qscat - Ockert-Bell values !C VISUAL wavelengths data qsv1 / 2.374D0, 2.637D0, 3.049D0, 3.201D0, 3.045D0,& 2.513D0, 1.623D0 / !C G - Ockert-Bell values !C VISUAL wavelengths data gv1 / 0.635D0, 0.646D0, 0.630D0, 0.630D0, 0.634D0,& 0.700D0, 0.856D0 / !C And now the INFRARED !C Qext for a modified-gamma distribution, ALPHA=2, GAMMA=0.5, !C Rm = 0.4 microns, using the Forget optical constants (Nr and Ni). !C Planck-weighted values (T=215K) !C INFRARED wavelengths. (The order is increasing waveNUMBER.) data qei1 / 0.193D0, 0.867D0, 1.209D0, 2.173D0, 0.638D0 / !C Qsca for a modified gamma-distribution, using the Forget !C optical constants (Nr and Ni). INFRARED wavelengths data qsi1 / 0.027D0, 0.319D0, 0.558D0, 1.136D0, 0.237D0 / !C g for a modified gamma-distribution, using the Forget !C optical constants (Nr and Ni). INFRARED wavelengths data gi1 / 0.024D0, 0.127D0, 0.288D0, 0.423D0, 0.548D0 / !C======================================================================= !C Set the reference pressure and temperature arrays. These are !C the pressures and temperatures at which we have k-coefficients. pgasref( 1) = 1.0E-6 pgasref( 2) = 1.0E-5 pgasref( 3) = 1.0E-4 pgasref( 4) = 1.0E-3 pgasref( 5) = 1.0E-2 pgasref( 6) = 1.0E-1 pgasref( 7) = 1.0 pgasref( 8) = 1.0E+1 pgasref( 9) = 1.0E+2 pgasref(10) = 1.0E+3 pgasref(11) = 1.0E+4 tgasref(1) = 50.0 tgasref(2) = 100.0 tgasref(3) = 150.0 tgasref(4) = 200.0 tgasref(5) = 250.0 tgasref(6) = 300.0 tgasref(7) = 350.0 !C Fill the (VISUAL) arrays Qextv, Qscatv, WV, GV DO N=1,L_NSPECTV Qextv(n) = qev1(n) Qscatv(n) = qsv1(n) IF(Qscatv(n).GE.Qextv(n)) then Qscatv(n) = 0.99999*Qextv(n) END IF WV(n) = Qscatv(n)/Qextv(n) GV(n) = gv1(n) END DO !C Fill the (INFRARED) arrays Qexti, Qscati, WI, GI DO N=1,L_NSPECTI Qexti(n) = qei1(n) Qscati(n) = qsi1(n) IF(Qscati(n).GE.Qexti(n)) then Qscati(n) = 0.99999*Qexti(n) END IF WI(n) = Qscati(n)/Qexti(n) GI(n) = gi1(n) END DO !C Get CO2 k coefficients, and interpolate them to the finer !C pressure grid. call laginterp(pgasref,pfgasref) end subroutine setrad !%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%% subroutine laginterp(pgref,pint) !C GCM2.0 Feb 2003 !C Lagrange interpolation (linear in log pressure) of the CO2 !C k-coefficients in the pressure domain. Subsequent use of these !C values will use a simple linear interpolation in pressure. implicit none integer :: n, nt, np, nh, ng, nw, m, i, j, k, l real :: co2i8(L_NTREF,L_NPREF,L_REFH2O,L_NSPECTI,L_NGAUSS) real :: co2v8(L_NTREF,L_NPREF,L_REFH2O,L_NSPECTV,L_NGAUSS) real :: pgref(L_NPREF) real :: x, xi(4), yi(4), ans real :: pint(L_PINT), pin(L_PINT), pref(L_NPREF), p data pin / -6.0D0, -5.8D0, -5.6D0, -5.4D0, -5.2D0,& -5.0D0, -4.8D0, -4.6D0, -4.4D0, -4.2D0,& -4.0D0, -3.8D0, -3.6D0, -3.4D0, -3.2D0,& -3.0D0, -2.8D0, -2.6D0, -2.4D0, -2.2D0,& -2.0D0, -1.8D0, -1.6D0, -1.4D0, -1.2D0,& -1.0D0, -0.8D0, -0.6D0, -0.4D0, -0.2D0,& 0.0D0, 0.2D0, 0.4D0, 0.6D0, 0.8D0,& 1.0D0, 1.2D0, 1.4D0, 1.6D0, 1.8D0,& 2.0D0, 2.2D0, 2.4D0, 2.6D0, 2.8D0,& 3.0D0, 3.2D0, 3.4D0, 3.6D0, 3.8D0,& 4.0D0 / !C======================================================================! !C Fill pint for output from this subroutine do n=1,L_PINT PINT(n) = PIN(n) end do !C Take log of the reference pressures do n=1,L_NPREF pref(n) = LOG10(PGREF(n)) end do !C Get CO2 k coefficients OPEN(Unit=25,file='UA/DataIn/CO2H2O_V_12_95_ASCII',ACTION = 'READ') DO i=1,L_NTREF DO j=1,L_NPREF DO k=1,L_REFH2O DO l=1,L_NSPECTV DO m=1,L_NGAUSS read(25,*)co2v8(i,j,k,l,m) ENDDO ENDDO ENDDO ENDDO ENDDO DO i=1,L_NSPECTV read(25,*)fzerov(i) ENDDO CLOSE(25) OPEN(unit=35,file='UA/DataIn/CO2H2O_IR_12_95_ASCII',ACTION = 'READ') DO i=1,L_NTREF DO j=1,L_NPREF DO k=1,L_REFH2O DO l=1,L_NSPECTI DO m=1,L_NGAUSS read(35,*)co2i8(i,j,k,l,m) ENDDO ENDDO ENDDO ENDDO ENDDO DO i=1,L_NSPECTI read(35,*)fzeroi(i) ENDDO CLOSE(35) !!$ print*,'co2v8(3,4,1,3,2) = ',co2v8(3,4,1,3,2) !!$ print*,'co2v8(1,2,3,4,5) = ',co2v8(1,2,3,4,5) !!$ print*,'co2v8(3,4,1,3,3) = ',co2v8(3,4,1,3,3) !!$ !!$ print*,'co2i8(3,4,1,3,2) = ',co2i8(3,4,1,3,2) !!$ print*,'co2i8(1,2,3,4,5) = ',co2i8(1,2,3,4,5) !!$ print*,'co2i8(3,4,1,3,3) = ',co2i8(3,4,1,3,3) !C Take Log10 of the values - we interpolate the log10 of the values, !C not the values themselves. Smallest value is 1.0E-200. do nt=1,L_NTREF do np=1,L_NPREF do nh=1,L_REFH2O do ng = 1,L_NGAUSS do nw=1,L_NSPECTV if(co2v8(nt,np,nh,nw,ng).gt.1.0e-200) then co2v8(nt,np,nh,nw,ng) = log10(co2v8(nt,np,nh,nw,ng)) else co2v8(nt,np,nh,nw,ng) = -200.0 end if end do do nw=1,L_NSPECTI if(co2i8(nt,np,nh,nw,ng).gt.1.0e-200) then co2i8(nt,np,nh,nw,ng) = log10(co2i8(nt,np,nh,nw,ng)) else co2i8(nt,np,nh,nw,ng) = -200.0 end if end do end do end do end do end do !C Interpolate the values: first the IR do nt=1,L_NTREF do nh=1,L_REFH2O do nw=1,L_NSPECTI do ng=1,L_NGAUSS !C First, the initial interval (P=1e-6 to 1e-5) n = 1 do m=1,5 x = pint(m) xi(1) = pref(n) xi(2) = pref(n+1) xi(3) = pref(n+2) xi(4) = pref(n+3) yi(1) = co2i8(nt,n,nh,nw,ng) yi(2) = co2i8(nt,n+1,nh,nw,ng) yi(3) = co2i8(nt,n+2,nh,nw,ng) yi(4) = co2i8(nt,n+3,nh,nw,ng) call lagrange(x,xi,yi,ans) co2i(nt,m,nh,nw,ng) = 10.0**ans end do do n=2,L_NPREF-2 do m=1,5 i = (n-1)*5+m x = pint(i) xi(1) = pref(n-1) xi(2) = pref(n) xi(3) = pref(n+1) xi(4) = pref(n+2) yi(1) = co2i8(nt,n-1,nh,nw,ng) yi(2) = co2i8(nt,n,nh,nw,ng) yi(3) = co2i8(nt,n+1,nh,nw,ng) yi(4) = co2i8(nt,n+2,nh,nw,ng) call lagrange(x,xi,yi,ans) co2i(nt,i,nh,nw,ng) = 10.0**ans end do end do !C Now, get the last interval (P=1e+3 to 1e+4) n = L_NPREF-1 do m=1,5 i = (n-1)*5+m x = pint(i) xi(1) = pref(n-2) xi(2) = pref(n-1) xi(3) = pref(n) xi(4) = pref(n+1) yi(1) = co2i8(nt,n-2,nh,nw,ng) yi(2) = co2i8(nt,n-1,nh,nw,ng) yi(3) = co2i8(nt,n,nh,nw,ng) yi(4) = co2i8(nt,n+1,nh,nw,ng) call lagrange(x,xi,yi,ans) co2i(nt,i,nh,nw,ng) = 10.0**ans end do !C Fill the last pressure point co2i(nt,L_PINT,nh,nw,ng) = 10.0**co2i8(nt,L_NPREF,nh,nw,ng) end do end do end do end do !C Interpolate the values: now the Visual do nt=1,L_NTREF do nh=1,L_REFH2O do nw=1,L_NSPECTV do ng=1,L_NGAUSS !C First, the initial interval (P=1e-6 to 1e-5) n = 1 do m=1,5 x = pint(m) xi(1) = pref(n) xi(2) = pref(n+1) xi(3) = pref(n+2) xi(4) = pref(n+3) yi(1) = co2v8(nt,n,nh,nw,ng) yi(2) = co2v8(nt,n+1,nh,nw,ng) yi(3) = co2v8(nt,n+2,nh,nw,ng) yi(4) = co2v8(nt,n+3,nh,nw,ng) call lagrange(x,xi,yi,ans) co2v(nt,m,nh,nw,ng) = 10.0**ans end do do n=2,L_NPREF-2 do m=1,5 i = (n-1)*5+m x = pint(i) xi(1) = pref(n-1) xi(2) = pref(n) xi(3) = pref(n+1) xi(4) = pref(n+2) yi(1) = co2v8(nt,n-1,nh,nw,ng) yi(2) = co2v8(nt,n,nh,nw,ng) yi(3) = co2v8(nt,n+1,nh,nw,ng) yi(4) = co2v8(nt,n+2,nh,nw,ng) call lagrange(x,xi,yi,ans) co2v(nt,i,nh,nw,ng) = 10.0**ans end do end do !C Now, get the last interval (P=1e+3 to 1e+4) n = L_NPREF-1 do m=1,5 i = (n-1)*5+m x = pint(i) xi(1) = pref(n-2) xi(2) = pref(n-1) xi(3) = pref(n) xi(4) = pref(n+1) yi(1) = co2v8(nt,n-2,nh,nw,ng) yi(2) = co2v8(nt,n-1,nh,nw,ng) yi(3) = co2v8(nt,n,nh,nw,ng) yi(4) = co2v8(nt,n+1,nh,nw,ng) call lagrange(x,xi,yi,ans) co2v(nt,i,nh,nw,ng) = 10.0**ans end do !C Fill the last pressure point co2v(nt,L_PINT,nh,nw,ng) = 10.0**co2v8(nt,L_NPREF,nh,nw,ng) end do end do end do end do end subroutine laginterp !%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%% subroutine lagrange(x, xi, yi, ans) !C GCM2.0 Feb 2003 !C !C Lagrange interpolation - Polynomial interpolation at point x !C xi(1) <= x <= xi(4). Yi(n) is the functional value at XI(n). implicit none real :: x, xi(4), yi(4), ans real :: fm1, fm2, fm3, fm4 !C======================================================================! fm1 = x - XI(1) fm2 = x - XI(2) fm3 = x - XI(3) fm4 = x - XI(4) !C Get the "answer" at the requested X ans = fm2*fm3*fm4*YI(1)/& ((XI(1)-XI(2))*(XI(1)-XI(3))*(XI(1)-XI(4))) +& fm1*fm3*fm4*YI(2)/& ((XI(2)-XI(1))*(XI(2)-XI(3))*(XI(2)-XI(4))) +& fm1*fm2*fm4*YI(3)/& ((XI(3)-XI(1))*(XI(3)-XI(2))*(XI(3)-XI(4))) +& fm1*fm2*fm3*YI(4)/& ((XI(4)-XI(1))*(XI(4)-XI(2))*(XI(4)-XI(3))) end subroutine lagrange !########################################################## subroutine init_radcooling return end subroutine init_radcooling subroutine init_magheat return end subroutine init_magheat subroutine init_aerosol return end subroutine init_aerosol end module ModPlanet
dpawlows/MGITM
src/ModMars.f90
FORTRAN
mit
45,867
class CreatePhrases < ActiveRecord::Migration def change create_table :phrases do |t| t.belongs_to :country t.string :hello t.string :please t.string :thanks t.string :bathroom t.timestamps end end end
cicadas-2014/Elsewhere
db/migrate/20140626220711_create_phrases.rb
Ruby
mit
250
const electron = require('electron'); const ipcRenderer = electron.ipcRenderer; window.onload = function() { ipcRenderer.send('game-preview-loaded'); } ipcRenderer.on('game-preview-start', function(event, data) { var app = new Application({ // resize: true, fullscreen: true, antyAliasing: true, preload: function(){ console.log(data.assets); //load images for (var i = 0; i < data.assets.length; i++) { var meta = data.assets[i]; if(meta.type == 'script') { require(meta.path); // connect script with uuid } else { this.loader.load(meta.type, meta.path, meta.name, meta.uuid); } } //load scene (json) // this.loader.load('json', scene file path, 'scene.json'); }, //instantiate scene objects loaded: function(){ //instantiate all object for(var i = 0; i < data.sceneFile.length; i++) { if(data.sceneFile[i].tag == 'mainCamera') { this.mainCamera = this.scene.instantiate(data.sceneFile[i]); } else { this.scene.instantiate(data.sceneFile[i]); } } }, //actual start function start: function(){ //show must go on }, preupdate: function(){ }, postupdate: function(){ }, postrender: function(){ // var layer = this.mainCamera.camera.layer; // layer.ctx.save(); // layer.textAlign('left'); // layer.font('30px Arial'); // layer.fillStyle('white'); // // var fps = (Time.deltaTime).toFixed(3); // // layer.fillText(fps || 0, 0,30); // layer.ctx.restore(); } }); })
Baransu/Amble-Engine
src/game-preview/js/index.js
JavaScript
mit
1,676
module.exports = { token: 'TELEGRAM_BOT_TOKEN', polling: { timeout: 3, limit: 100 } };
yurich/vow-telegram-bot
examples/settings.js
JavaScript
mit
115
Installing Sencha Touch ----------------------- [Download the Sencha Touch SDK][sdk], and unzip the archive. Assuming that you've saved the SDK into your downloads folder (`~/Downloads/sencha-touch-2-b3`), you can run the following commands in the terminal: cd path/to/sencha-touch-2-recipes/recipe2 cp -R ~/Downloads/sencha-touch-2-b2/resources touch/ This copies only the parts that we need from the Sencha Touch SDK into the `touch/` directory. [sdk]: http://www.sencha.com/products/touch/download/
bradscode/sencha-touch-2-recipes
recipe2/touch/README.md
Markdown
mit
515
<!-- Modal --> <div class="modal fade" id="explor_post" tabindex="-1" role="dialog" aria-labelledby="post_structlLabel"> <div class="modal-dialog" role="document"> <div class="modal-content"> <div class="modal-header"> <button type="button" class="close" data-dismiss="modal" aria-label="Close"><span aria-hidden="true">&times;</span></button> <h4 class="modal-title" id="myModalLabel">Organization Position</h4> </div> <div class="modal-body" id="post_exp"> </div> <div class="modal-footer"> <button type="button" class="btn btn-default" data-dismiss="modal">Close</button> </div> </div> </div> </div> <script> $('#explor_post').on('show.bs.modal', function (e) { StructOrgPost(1); }) $('#explor_post').on('click', '.nav-open', function(event) { event.preventDefault(); var id = $(this).data('id'); StructOrgPost(id); }); $('#explor_post').on('click', '.nav-select', function(event) { event.preventDefault(); var id = $(this).data('id'); var text = $(this).data('text'); $('#txt_post').val(text); $('#hdn_post').val(id); }); function StructOrgPost(id) { var ajaxUrl = siteUrl + '/Om/Ajax/ShowOrgStrucSelection' ; $.ajax({ url: ajaxUrl, type: 'POST', dataType: 'html', data: {id: id,mode:'post'} }) .done(function(respond) { $('#post_exp').html(respond); }); } </script>
freon-lunarion/dew
application/modules/om/views/_element/orgPostStruct_modal.php
PHP
mit
1,450
using System.Collections.ObjectModel; using ActiproSoftware.Text; using ActiproSoftware.Text.Utility; using ActiproSoftware.Windows.Controls.SyntaxEditor; using ActiproSoftware.Windows.Controls.SyntaxEditor.IntelliPrompt.Implementation; using NQuery.Authoring.ActiproWpf.SymbolContent; using NQuery.Authoring.ActiproWpf.Text; using NQuery.Authoring.QuickInfo; namespace NQuery.Authoring.ActiproWpf.QuickInfo { internal sealed class NQueryQuickInfoProvider : QuickInfoProviderBase, INQueryQuickInfoProvider { private readonly IServiceLocator _serviceLocator; public NQueryQuickInfoProvider(IServiceLocator serviceLocator) { _serviceLocator = serviceLocator; } private INQuerySymbolContentProvider SymbolContentProvider { get { return _serviceLocator.GetService<INQuerySymbolContentProvider>(); } } public Collection<IQuickInfoModelProvider> Providers { get; } = new(); public override object GetContext(IEditorView view, int offset) { var documentView = view.SyntaxEditor.GetDocumentView(); var document = documentView.Document; if (!document.TryGetSemanticModel(out var semanticModel)) return null; var snapshot = document.Text.ToTextSnapshot(); var snapshotOffset = new TextSnapshotOffset(snapshot, offset); var position = snapshotOffset.ToOffset(); var model = semanticModel.GetQuickInfoModel(position, Providers); return model; } protected override bool RequestSession(IEditorView view, object context) { if (context is not QuickInfoModel model) return false; var text = model.SemanticModel.SyntaxTree.Text; var textSnapshotRange = text.ToSnapshotRange(model.Span); var textRange = textSnapshotRange.TextRange; var content = SymbolContentProvider.GetContentProvider(model.Glyph, model.Markup).GetContent(); var quickInfoSession = new QuickInfoSession(); quickInfoSession.Context = context; quickInfoSession.Content = content; quickInfoSession.Open(view, textRange); return true; } protected override IEnumerable<Type> ContextTypes { get { return new[] { typeof(QuickInfoModel) }; } } } }
terrajobst/nquery-vnext
src/NQuery.Authoring.ActiproWpf/QuickInfo/NQueryQuickInfoProvider.cs
C#
mit
2,436
#include <iostream> using namespace std; void display(const int *xPos, const int *yPos); void move(int *xPos, int *yPos); int main(void) { int x = 10; int y = 20; display(&x, &y); move(&x, &y); display(&x, &y); return 0; } void display(const int *xPos, const int *yPos) { // btw const not needed for this cout << "Current position [" << *xPos << ", " << *yPos << "]" << endl; } void move(int *xPos, int *yPos) { *xPos = *xPos + 1; *yPos = *yPos + 1; }
BedrockDev/Sunrin2017
Software/Game Programming/Codes/ConsoleApplication5/ConsoleApplication5/ConstPointer.cpp
C++
mit
468
<!DOCTYPE html> <HTML><head><TITLE>Manpage of TRUE</TITLE> <meta charset="utf-8"> <link rel="stylesheet" href="/css/main.css" type="text/css"> </head> <body> <header class="site-header"> <div class="wrap"> <div class="site-title"><a href="/manpages/index.html">linux manpages</a></div> <div class="site-description">{"type":"documentation"}</div> </div> </header> <div class="page-content"><div class="wrap"> <H1>TRUE</H1> Section: User Commands (1)<BR>Updated: June 2012<BR><A HREF="#index">Index</A> <A HREF="/manpages/index.html">Return to Main Contents</A><HR> <A NAME="lbAB">&nbsp;</A> <H2>NAME</H2> true - do nothing, successfully <A NAME="lbAC">&nbsp;</A> <H2>SYNOPSIS</H2> <B>true</B> [<I>ignored command line arguments</I>] <BR> <B>true</B> <I>OPTION</I> <A NAME="lbAD">&nbsp;</A> <H2>DESCRIPTION</H2> <P> Exit with a status code indicating success. <DL COMPACT> <DT><B>--help</B><DD> display this help and exit <DT><B>--version</B><DD> output version information and exit </DL> <P> NOTE: your shell may have its own version of true, which usually supersedes the version described here. Please refer to your shell's documentation for details about the options it supports. <A NAME="lbAE">&nbsp;</A> <H2>AUTHOR</H2> Written by Jim Meyering. <A NAME="lbAF">&nbsp;</A> <H2>REPORTING BUGS</H2> Report true bugs to <A HREF="mailto:bug-coreutils@gnu.org">bug-coreutils@gnu.org</A> <BR> GNU coreutils home page: &lt;<A HREF="http://www.gnu.org/software/coreutils/">http://www.gnu.org/software/coreutils/</A>&gt; <BR> General help using GNU software: &lt;<A HREF="http://www.gnu.org/gethelp/">http://www.gnu.org/gethelp/</A>&gt; <BR> Report true translation bugs to &lt;<A HREF="http://translationproject.org/team/">http://translationproject.org/team/</A>&gt; <A NAME="lbAG">&nbsp;</A> <H2>COPYRIGHT</H2> Copyright &#169; 2010 Free Software Foundation, Inc. License GPLv3+: GNU GPL version 3 or later &lt;<A HREF="http://gnu.org/licenses/gpl.html">http://gnu.org/licenses/gpl.html</A>&gt;. <BR> This is free software: you are free to change and redistribute it. There is NO WARRANTY, to the extent permitted by law. <A NAME="lbAH">&nbsp;</A> <H2>SEE ALSO</H2> The full documentation for <B>true</B> is maintained as a Texinfo manual. If the <B>info</B> and <B>true</B> programs are properly installed at your site, the command <DL COMPACT> <DT><DD> <B>info coreutils aqtrue invocationaq</B> </DL> <P> should give you access to the complete manual. <P> <HR> <A NAME="index">&nbsp;</A><H2>Index</H2> <DL> <DT><A HREF="#lbAB">NAME</A><DD> <DT><A HREF="#lbAC">SYNOPSIS</A><DD> <DT><A HREF="#lbAD">DESCRIPTION</A><DD> <DT><A HREF="#lbAE">AUTHOR</A><DD> <DT><A HREF="#lbAF">REPORTING BUGS</A><DD> <DT><A HREF="#lbAG">COPYRIGHT</A><DD> <DT><A HREF="#lbAH">SEE ALSO</A><DD> </DL> <HR> This document was created by <A HREF="/manpages/index.html">man2html</A>, using the manual pages.<BR> Time: 05:29:11 GMT, December 24, 2015 </div></div> </body> </HTML>
yuweijun/yuweijun.github.io
manpages/man1/true.1.html
HTML
mit
2,980
class Room < ActiveRecord::Base validates :name, :presence => true has_many :users has_many :room_logs end
ichylinux/chat
app/models/room.rb
Ruby
mit
114
<!DOCTYPE html> <html> <head> <meta charset="utf-8"> <meta http-equiv="X-UA-Compatible" content="IE=edge,chrome=1"> <meta name="viewport" content="width=device-width, initial-scale=1"> <link rel="shortcut icon" href="/static/img/ruby.ico" /> <title>43基本的面向对象分析和设计 - LJZN</title> <meta name="author" content="LJZN" /> <meta name="description" content="43基本的面向对象分析和设计" /> <meta name="keywords" content="43基本的面向对象分析和设计, LJZN, LRTHW" /> <link rel="alternate" type="application/rss+xml" title="RSS" href="/feed.xml"> <!-- syntax highlighting CSS --> <link rel="stylesheet" href="/static/css/syntax.css"> <!-- Bootstrap core CSS --> <link href="/static/css/bootstrap.min.css" rel="stylesheet"> <!-- Custom CSS --> <link rel="stylesheet" href="/static/css/main.css"> </head> <body> <div class="container"> <div class="col-sm-3"> <a href="/"><img id="about" src="/static/img/ruby.png" height="75px" width="75px" /></a> <h1 class="author-name">LJZN</h1> <div id="about"> 每天更新Rails练习项目到Github~ </div> <hr size=2> &raquo; <a href="/">Home</a> <br /> &raquo; <a href="/category/original">Category</a> <br /> &raquo; <a class="about" href="/about/">About Me</a><br /> &raquo; <a class="about" href="https://github.com/ljzn">Github</a><br /> </div> <div class="col-sm-8 col-offset-1"> <h1>43基本的面向对象分析和设计</h1> <span class="time">04 Jul 2016</span> <span class="categories"> &raquo; <a href="/category/LRTHW">LRTHW</a> </span> <div class="content"> <div class="post"> <figure class="highlight"><pre><code class="language-ruby" data-lang="ruby"><span class="k">class</span> <span class="nc">Scene</span> <span class="k">def</span> <span class="nf">enter</span><span class="p">()</span> <span class="nb">puts</span> <span class="s2">"This scene is not yet configured. Subclass it and implement enter()."</span> <span class="nb">exit</span><span class="p">(</span><span class="mi">1</span><span class="p">)</span> <span class="k">end</span> <span class="k">end</span> <span class="k">class</span> <span class="nc">Engine</span> <span class="k">def</span> <span class="nf">initialize</span><span class="p">(</span><span class="n">scene_map</span><span class="p">)</span> <span class="vi">@scene_map</span> <span class="o">=</span> <span class="n">scene_map</span> <span class="k">end</span> <span class="k">def</span> <span class="nf">play</span><span class="p">()</span> <span class="n">current_scene</span> <span class="o">=</span> <span class="vi">@scene_map</span><span class="p">.</span><span class="nf">opening_scene</span><span class="p">()</span> <span class="n">last_scene</span> <span class="o">=</span> <span class="vi">@scene_map</span><span class="p">.</span><span class="nf">next_scene</span><span class="p">(</span><span class="s1">'finished'</span><span class="p">)</span> <span class="k">while</span> <span class="n">current_scene</span> <span class="o">!=</span> <span class="n">last_scene</span> <span class="n">next_scene_name</span> <span class="o">=</span> <span class="n">current_scene</span><span class="p">.</span><span class="nf">enter</span><span class="p">()</span> <span class="n">current_scene</span> <span class="o">=</span> <span class="vi">@scene_map</span><span class="p">.</span><span class="nf">next_scene</span><span class="p">(</span><span class="n">next_scene_name</span><span class="p">)</span> <span class="k">end</span> <span class="c1"># be sure to print out the last scene</span> <span class="n">current_scene</span><span class="p">.</span><span class="nf">enter</span><span class="p">()</span> <span class="k">end</span> <span class="k">end</span> <span class="k">class</span> <span class="nc">Death</span> <span class="o">&lt;</span> <span class="no">Scene</span> <span class="vc">@@quips</span> <span class="o">=</span> <span class="p">[</span> <span class="s2">"You died. You kinda suck at this."</span><span class="p">,</span> <span class="s2">"Your mom would be proud...if she were smarter."</span><span class="p">,</span> <span class="s2">"Suck a luser."</span><span class="p">,</span> <span class="s2">"I have a small puppy that's better at this."</span><span class="p">,</span> <span class="p">]</span> <span class="k">def</span> <span class="nf">enter</span><span class="p">()</span> <span class="nb">puts</span> <span class="vc">@@quips</span><span class="p">[</span><span class="nb">rand</span><span class="p">(</span><span class="mi">0</span><span class="p">.</span><span class="nf">.</span><span class="p">(</span><span class="vc">@@quips</span><span class="p">.</span><span class="nf">length</span> <span class="o">-</span> <span class="mi">1</span><span class="p">))]</span> <span class="nb">exit</span><span class="p">(</span><span class="mi">1</span><span class="p">)</span> <span class="k">end</span> <span class="k">end</span> <span class="k">class</span> <span class="nc">CentralCorridor</span> <span class="o">&lt;</span> <span class="no">Scene</span> <span class="k">def</span> <span class="nf">enter</span><span class="p">()</span> <span class="nb">puts</span> <span class="s2">"'Hello!' A red dog says,"</span> <span class="nb">puts</span> <span class="s2">"</span><span class="se">\n</span><span class="s2">"</span> <span class="nb">puts</span> <span class="s2">"'What are you doing here?'</span><span class="se">\n</span><span class="s2">"</span> <span class="nb">print</span> <span class="s2">"&gt; "</span> <span class="n">action</span> <span class="o">=</span> <span class="vg">$stdin</span><span class="p">.</span><span class="nf">gets</span><span class="p">.</span><span class="nf">chomp</span> <span class="k">if</span> <span class="n">action</span> <span class="o">==</span> <span class="s2">"shoot!"</span> <span class="nb">puts</span> <span class="s2">"The dog avoid the bullet."</span> <span class="nb">puts</span> <span class="s2">"And shoot you with his eye."</span> <span class="nb">puts</span> <span class="s2">"You dead."</span> <span class="k">return</span> <span class="s1">'death'</span> <span class="k">elsif</span> <span class="n">action</span> <span class="o">==</span> <span class="s2">"tell a joke"</span> <span class="nb">puts</span> <span class="s2">"You say:'Catch the ball!'"</span> <span class="nb">puts</span> <span class="s2">"The dog run away."</span> <span class="k">return</span> <span class="s1">'laser_weapon_armory'</span> <span class="k">else</span> <span class="nb">puts</span> <span class="s2">"The dog says:'Get out!'"</span> <span class="k">return</span> <span class="s1">'central_corridor'</span> <span class="k">end</span> <span class="k">end</span> <span class="k">end</span> <span class="k">class</span> <span class="nc">LaserWeaponArmory</span> <span class="o">&lt;</span> <span class="no">Scene</span> <span class="k">def</span> <span class="nf">enter</span><span class="p">()</span> <span class="nb">puts</span> <span class="s2">"enter 1 numbers:"</span> <span class="n">code</span> <span class="o">=</span> <span class="s2">"</span><span class="si">#{</span><span class="nb">rand</span><span class="p">(</span><span class="mi">1</span><span class="p">.</span><span class="nf">.</span><span class="mi">9</span><span class="p">)</span><span class="si">}</span><span class="s2">"</span> <span class="nb">print</span> <span class="s2">"[keypad]&gt; "</span> <span class="n">guess</span> <span class="o">=</span> <span class="vg">$stdin</span><span class="p">.</span><span class="nf">gets</span><span class="p">.</span><span class="nf">chomp</span> <span class="n">guesses</span> <span class="o">=</span> <span class="mi">1</span> <span class="k">while</span> <span class="n">guess</span> <span class="o">!=</span> <span class="n">code</span> <span class="o">&amp;&amp;</span> <span class="n">guesses</span> <span class="o">&lt;</span> <span class="mi">5</span> <span class="nb">puts</span> <span class="s2">"Wrong!"</span> <span class="n">guesses</span> <span class="o">+=</span> <span class="mi">1</span> <span class="nb">print</span> <span class="s2">"[keypad]&gt; "</span> <span class="n">guess</span> <span class="o">=</span> <span class="vg">$stdin</span><span class="p">.</span><span class="nf">gets</span><span class="p">.</span><span class="nf">chomp</span> <span class="k">end</span> <span class="k">if</span> <span class="n">guess</span> <span class="o">==</span> <span class="n">code</span> <span class="nb">puts</span> <span class="s2">"The door open."</span> <span class="nb">puts</span> <span class="s2">"You see a bridge."</span> <span class="k">return</span> <span class="s1">'the_bridge'</span> <span class="k">else</span> <span class="nb">puts</span> <span class="s2">"Huge fire out from the door!</span><span class="se">\n</span><span class="s2">"</span> <span class="nb">puts</span> <span class="s2">"You die."</span> <span class="k">return</span> <span class="s1">'death'</span> <span class="k">end</span> <span class="k">end</span> <span class="k">end</span> <span class="k">class</span> <span class="nc">TheBridge</span> <span class="o">&lt;</span> <span class="no">Scene</span> <span class="k">def</span> <span class="nf">enter</span><span class="p">()</span> <span class="nb">puts</span> <span class="s2">"A large potato lies on the road.</span><span class="se">\n</span><span class="s2">"</span> <span class="nb">puts</span> <span class="s2">"How you go through?</span><span class="se">\n</span><span class="s2">"</span> <span class="nb">print</span> <span class="s2">"&gt; "</span> <span class="n">action</span> <span class="o">=</span> <span class="vg">$stdin</span><span class="p">.</span><span class="nf">gets</span><span class="p">.</span><span class="nf">chomp</span> <span class="k">if</span> <span class="n">action</span> <span class="o">==</span> <span class="s2">"throw the bomb"</span> <span class="nb">puts</span> <span class="s2">"The potato explode and the piece hit you."</span> <span class="k">return</span> <span class="s1">'death'</span> <span class="k">elsif</span> <span class="n">action</span> <span class="o">==</span> <span class="s2">"slowly place the bomb"</span> <span class="nb">puts</span> <span class="s2">"You placed the bomb and run away."</span> <span class="nb">puts</span> <span class="s2">"You successfully sweep out the potato."</span> <span class="k">return</span> <span class="s1">'escape_pod'</span> <span class="k">else</span> <span class="nb">puts</span> <span class="s2">"Nothing happened."</span> <span class="k">return</span> <span class="s2">"the_bridge"</span> <span class="k">end</span> <span class="k">end</span> <span class="k">end</span> <span class="k">class</span> <span class="nc">EscapePod</span> <span class="o">&lt;</span> <span class="no">Scene</span> <span class="k">def</span> <span class="nf">enter</span><span class="p">()</span> <span class="nb">puts</span> <span class="s2">"There are 5 pods."</span> <span class="n">good_pod</span> <span class="o">=</span> <span class="nb">rand</span><span class="p">(</span><span class="mi">1</span><span class="p">.</span><span class="nf">.</span><span class="mi">5</span><span class="p">)</span> <span class="nb">print</span> <span class="s2">"[pod #]&gt; "</span> <span class="n">guess</span> <span class="o">=</span> <span class="vg">$stdin</span><span class="p">.</span><span class="nf">gets</span><span class="p">.</span><span class="nf">chomp</span><span class="p">.</span><span class="nf">to_i</span> <span class="k">if</span> <span class="n">guess</span> <span class="o">!=</span> <span class="n">good_pod</span> <span class="nb">puts</span> <span class="s2">"Nothing happened.</span><span class="se">\n</span><span class="s2">"</span> <span class="nb">puts</span> <span class="s2">"10 days passed, you dead."</span> <span class="k">return</span> <span class="s1">'death'</span> <span class="k">else</span> <span class="nb">puts</span> <span class="s2">"win!"</span> <span class="k">return</span> <span class="s1">'finished'</span> <span class="k">end</span> <span class="k">end</span> <span class="k">end</span> <span class="k">class</span> <span class="nc">Finished</span> <span class="o">&lt;</span> <span class="no">Scene</span> <span class="k">def</span> <span class="nf">enter</span><span class="p">()</span> <span class="nb">puts</span> <span class="s2">"Good job!"</span> <span class="k">end</span> <span class="k">end</span> <span class="k">class</span> <span class="nc">Map</span> <span class="vc">@@scenes</span> <span class="o">=</span> <span class="p">{</span> <span class="s1">'central_corridor'</span> <span class="o">=&gt;</span> <span class="no">CentralCorridor</span><span class="p">.</span><span class="nf">new</span><span class="p">(),</span> <span class="s1">'laser_weapon_armory'</span> <span class="o">=&gt;</span> <span class="no">LaserWeaponArmory</span><span class="p">.</span><span class="nf">new</span><span class="p">(),</span> <span class="s1">'the_bridge'</span> <span class="o">=&gt;</span> <span class="no">TheBridge</span><span class="p">.</span><span class="nf">new</span><span class="p">(),</span> <span class="s1">'escape_pod'</span> <span class="o">=&gt;</span> <span class="no">EscapePod</span><span class="p">.</span><span class="nf">new</span><span class="p">(),</span> <span class="s1">'death'</span> <span class="o">=&gt;</span> <span class="no">Death</span><span class="p">.</span><span class="nf">new</span><span class="p">(),</span> <span class="p">}</span> <span class="k">def</span> <span class="nf">initialize</span><span class="p">(</span><span class="n">start_scene</span><span class="p">)</span> <span class="vi">@start_scene</span> <span class="o">=</span> <span class="n">start_scene</span> <span class="k">end</span> <span class="k">def</span> <span class="nf">next_scene</span><span class="p">(</span><span class="n">scene_name</span><span class="p">)</span> <span class="n">val</span> <span class="o">=</span> <span class="vc">@@scenes</span><span class="p">[</span><span class="n">scene_name</span><span class="p">]</span> <span class="k">return</span> <span class="n">val</span> <span class="k">end</span> <span class="k">def</span> <span class="nf">opening_scene</span><span class="p">()</span> <span class="k">return</span> <span class="n">next_scene</span><span class="p">(</span><span class="vi">@start_scene</span><span class="p">)</span> <span class="k">end</span> <span class="k">end</span> <span class="n">a_map</span> <span class="o">=</span> <span class="no">Map</span><span class="p">.</span><span class="nf">new</span><span class="p">(</span><span class="s1">'central_corridor'</span><span class="p">)</span> <span class="n">a_game</span> <span class="o">=</span> <span class="no">Engine</span><span class="p">.</span><span class="nf">new</span><span class="p">(</span><span class="n">a_map</span><span class="p">)</span> <span class="n">a_game</span><span class="p">.</span><span class="nf">play</span><span class="p">()</span></code></pre></figure> </div> </div> <div class="panel-body"> <h4>Related Posts</h4> <ul> <li class="relatedPost"> <a href="https://ljzn.github.io/lrthw/2016/07/10/lrhw-50.html">50sinatra建造网站</a> (Categories: <a href="/category/LRTHW">LRTHW</a>) </li> <li class="relatedPost"> <a href="https://ljzn.github.io/lrthw/2016/07/09/lrhw-49.html">49创建句子</a> (Categories: <a href="/category/LRTHW">LRTHW</a>) </li> <li class="relatedPost"> <a href="https://ljzn.github.io/lrthw/2016/07/08/lrhw-48.html">48进阶用户输入</a> (Categories: <a href="/category/LRTHW">LRTHW</a>) </li> <li class="relatedPost"> <a href="https://ljzn.github.io/lrthw/2016/07/08/lrhw-47.html">47自动化测试</a> (Categories: <a href="/category/LRTHW">LRTHW</a>) </li> <li class="relatedPost"> <a href="https://ljzn.github.io/lrthw/2016/07/06/lrhw-46.html">46项目骨架</a> (Categories: <a href="/category/LRTHW">LRTHW</a>) </li> <li class="relatedPost"> <a href="https://ljzn.github.io/lrthw/2016/07/05/lrhw-45.html">45制作一个游戏</a> (Categories: <a href="/category/LRTHW">LRTHW</a>) </li> </ul> </div> <div class="PageNavigation"> <a class="prev" href="/lrthw/2016/07/03/lrhw-42.html">&laquo; 42对象、类及从属关系</a> <a class="next" href="/lrthw/2016/07/04/lrhw-44.html">44继承与合成 &raquo;</a> </div> <div class="disqus-comments"> <div id="disqus_thread"></div> <script> (function() { // DON'T EDIT BELOW THIS LINE var d = document, s = d.createElement('script'); s.src = '//ljzn.disqus.com/embed.js'; s.setAttribute('data-timestamp', +new Date()); (d.head || d.body).appendChild(s); })(); </script> <noscript>Please enable JavaScript to view the <a href="https://disqus.com/?ref_noscript" rel="nofollow">comments powered by Disqus.</a></noscript> </div> <footer> &copy; LJZN - <a href="https://github.com/ljzn">https://github.com/ljzn</a> - Powered by Jekyll. </footer> </div><!-- end /.col-sm-8 --> </div><!-- end /.container --> <!-- Bootstrap core JavaScript ================================================== --> <!-- Placed at the end of the document so the pages load faster --> <script src="//cdn.bootcss.com/jquery/1.11.0/jquery.min.js"></script> <script src="/static/js/bootstrap.min.js"></script> <script id="dsq-count-scr" src="//ljzn.disqus.com/count.js" async></script> </body> </html>
Ljzn/ljzn.github.io
_site/lrthw/2016/07/04/lrhw-43.html
HTML
mit
23,201
Template.friendPosts.onCreated(function() { Bisia.Notification.resetNotify('note', 'post'); }) Template.friendPosts.helpers({ getPost: function(postId) { var post = Posts.findOne(postId); if (post) { var user = Users.findOne({ '_id': post.authorId }, { 'fields': { 'username': 1, 'profile.city': 1, 'profile.gender': 1, 'profile.status': 1, 'profile.avatar': 1, 'profile.online': 1, 'profile.birthday': 1 }}); post.showHeader = true; post.usern = user.username; post.profile = user.profile; return post; } }, detectFirstPage: function() { var increment = Bisia.getController('increment'); var limit = Bisia.getController('params')['pageLimit']; // Don't show spinner by default var pageDisplay = true; // If we are on the first page... if (!limit || limit == increment) { // pageDisplay becomes reactive pageDisplay = this.pageReady; } // Add pageDisplay to this return _.extend(this, { pageDisplay: pageDisplay }); } }); Template.friendPosts.events({ 'scroll .content': function(e, t) { Bisia.Ui.toggleAtBottom(e, '#helpbars', 'bottom-show'); } });
redbaron76/Bisiacaria.com
client/pages/friend_posts.js
JavaScript
mit
1,141
import { all, takeEvery } from 'redux-saga/effects'; import actions from '#actions'; import handleShareFormChange from './startAlbumsSharingService/handleShareFormChange'; import handleShareFormSubmit from './startAlbumsSharingService/handleShareFormSubmit'; import handleShareItemsSelect from './startAlbumsSharingService/handleShareItemsSelect'; function* startAlbumsSharingService(apis) { yield all([ takeEvery(actions.uiShareItemsSelected, handleShareItemsSelect, apis), takeEvery(actions.uiShareFormSubmited, handleShareFormSubmit, apis), takeEvery(actions.uiShareFormChanged, handleShareFormChange, apis), ]); } export default startAlbumsSharingService;
pathephone/pathephone-desktop
src/renderer/sagas/startApp/startServices/startAlbumsSharingService.js
JavaScript
mit
680
<?php include_once('conexao.class.php'); class Disciplina{ public $id_disciplina; public $nome; public $professor; public $curso; public $carga_horaria; public function __construct(){ //print "Disciplina instanciada!"; } public function gravar(){ $sql = "insert into disciplina (nome, professor, curso, carga_horaria) values (?,?,?,?)"; $con = new Conexao(); $stm = $con->prepare($sql); $stm->bindParam(1, $this->nome); $stm->bindParam(2, $this->professor); $stm->bindParam(3, $this->curso); $stm->bindParam(4, $this->carga_horaria); $stm->execute(); //echo "gravado"; } public function __get($var){ return $this->$var; } public function __set($var, $valor){ $this->$var = $valor; } public function listar(){ $sql = "select * from disciplina"; $con = new Conexao(); $stm = $con->prepare($sql); $stm->execute(); return $stm; } } ?>
STRVIRTU/tcc-2017
less/disciplina.class.php
PHP
mit
960
{{{ "bodyClass" : "bg-white", "screenshot" : { "background-size" : "contain" } }}} <div class="cf"> <div class="fl w-50 w-20-ns tc pv5 bg-black-05"> 1 </div> <div class="fl w-50 w-20-ns tc pv5 bg-black-10"> 2 </div> <div class="fl w-100 w-20-ns tc pv5 bg-black-20"> 3 </div> <div class="fl w-50 w-20-ns tc pv5 bg-black-10"> 4 </div> <div class="fl w-50 w-20-ns tc pv5 bg-black-05"> 5 </div> </div>
tachyons-css/tachyons-css.github.io
src/components/layout/five-column-collapse-alternate.html
HTML
mit
449
// // MIT License // // Copyright 2019 // // Permission is hereby granted, free of charge, to any person obtaining a copy // of this software and associated documentation files (the "Software"), to deal // in the Software without restriction, including without limitation the rights // to use, copy, modify, merge, publish, distribute, sublicense, and/or sell // copies of the Software, and to permit persons to whom the Software is // furnished to do so, subject to the following conditions: // // The above copyright notice and this permission notice shall be included in // all copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR // IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, // FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE // AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER // LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, // OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE // SOFTWARE. // #include "controller.hh" #include "log.hh" #include <boost/core/ignore_unused.hpp> #include <boost/static_assert.hpp> #include <map> using namespace jones; using button = jones::controller::button; using button_state = jones::controller::button_state; using button_state_map = std::map<button, button_state>; namespace { auto position_to_button(const uint8_t position) -> button { switch (position) { case 0: return button::BUTTON_A; case 1: return button::BUTTON_B; case 2: return button::BUTTON_SELECT; case 3: return button::BUTTON_START; case 4: return button::BUTTON_UP; case 5: return button::BUTTON_DOWN; case 6: return button::BUTTON_LEFT; case 7: return button::BUTTON_RIGHT; default: BOOST_STATIC_ASSERT("unexpected button found"); return button::BUTTON_INVALID; } } } // namespace auto controller::button_to_string(const button button) -> auto { switch (button) { case button::BUTTON_A: return "BUTTON_A"; case button::BUTTON_B: return "BUTTON_B"; case button::BUTTON_SELECT: return "BUTTON_SELECT"; case button::BUTTON_START: return "BUTTON_START"; case button::BUTTON_UP: return "BUTTON_UP"; case button::BUTTON_DOWN: return "BUTTON_DOWN"; case button::BUTTON_LEFT: return "BUTTON_LEFT"; case button::BUTTON_RIGHT: return "BUTTON_RIGHT"; default: return "BUTTON_INVALID"; } } auto controller::button_state_to_string(const button_state button_state) -> auto { switch (button_state) { case button_state::BUTTON_STATE_DOWN: return "BUTTON_STATE_DOWN"; case button_state::BUTTON_STATE_UP: return "BUTTON_STATE_UP"; default: return "BUTTON_STATE_INVALID"; } } auto controller::controller_state_to_string(const controller_state controller_state) -> auto { switch (controller_state) { case controller_state::CONTROLLER_STATE_CONNECTED: return "CONTROLLER_STATE_CONNECTED"; case controller_state::CONTROLLER_STATE_DISCONNECTED: return "CONTROLLER_STATE_DISCONNECTED"; default: return "CONTROLLER_STATE_INVALID"; } } class controller::controller::impl { public: explicit impl(const memory &memory) : memory_(memory), strobe_(0), index_(0), button_states_(), controller_state_(controller_state::CONTROLLER_STATE_DISCONNECTED) { boost::ignore_unused(memory_); } ~impl() = default; auto set_button_state(const button button, const button_state button_state) -> void { button_states_[button] = button_state; LOG_DEBUG << "controller::set_button_state : " << "button [" << button_to_string(button) << "] " << "button_state [" << button_state_to_string(button_state) << "]"; } auto get_button_state(const button button) -> auto { return button_states_[button]; } auto set_controller_state(const controller_state controller_state) -> void { controller_state_ = controller_state; LOG_DEBUG << "controller::set_controller_state : " << "controller_state [" << controller_state_to_string(controller_state) << "]"; } auto get_controller_state() -> auto { return controller_state_; } auto peek(uint16_t const address) const -> uint8_t { boost::ignore_unused(address); uint8_t data = 0; if (index_ < 8) { auto const button_state = button_states_.find(position_to_button(index_)); if (button_state != button_states_.end() && button_state->second == button_state::BUTTON_STATE_DOWN) { data = 1; } } return data; } auto read(const uint16_t address) -> uint8_t { auto const data = peek(address); index_++; update_button_index(); return data; } auto write(uint16_t const address, uint8_t const data) -> void { boost::ignore_unused(address); strobe_ = data; update_button_index(); } private: auto update_button_index() -> void { if ((strobe_ & 0x1U) == 1) { index_ = 0; } } private: const memory &memory_; uint8_t strobe_; uint8_t index_; button_state_map button_states_; controller_state controller_state_; }; controller::controller::controller(memory const &memory) : impl_(std::make_unique<impl>(memory)) { } controller::controller::~controller() = default; auto controller::controller::set_button_state(button const button, button_state const state) -> void { impl_->set_button_state(button, state); } auto controller::controller::get_button_state(button const button) const -> button_state { return impl_->get_button_state(button); } auto controller::controller::set_controller_state(controller_state const state) -> void { impl_->set_controller_state(state); } auto controller::controller::get_controller_state() const -> controller_state { return impl_->get_controller_state(); } auto controller::controller::peek(uint16_t const address) const -> uint8_t { return impl_->peek(address); } auto controller::controller::read(uint16_t const address) const -> uint8_t { return impl_->read(address); } auto controller::controller::write(uint16_t const address, uint8_t const data) -> void { impl_->write(address, data); }
thejunkjon/jones
source/jones/controller/controller.cc
C++
mit
6,251
{% extends "base.html" %} {% import "bootstrap/wtf.html" as wtf %} {% block title %}Flasky - Edit Teacher Profile{% endblock %} {% block side_content %} <div class="page-header"> <h1>Edit Student's Info</h1> </div> <div class="col-md-4"> {{ wtf.quick_form(form) }} </div> {% endblock %}
siwl/test_website
app/templates/student/edit_student.html
HTML
mit
296
export const Camera = ` <svg viewBox="0 0 28 28"> <g fill="none" fill-rule="evenodd"> <path d="M3 3h22a2 2 0 012 2v18a2 2 0 01-2 2H3a2 2 0 01-2-2V5a2 2 0 012-2z" stroke="currentColor"/> <circle stroke="currentColor" cx="14" cy="14" r="5"/> <path d="M22 7h1" stroke="currentColor" stroke-linecap="round" stroke-linejoin="round"/> </g> </svg>`;
clair-design/clair
packages/icons/icons/Camera.ts
TypeScript
mit
359
# BitForm Playing around with the idea of replacing XForms with Custom Property.
b1thunt3r/BitForm
README.md
Markdown
mit
80
import datetime import time import boto import redis import requests import random import zlib from django.shortcuts import get_object_or_404 from django.shortcuts import render from django.contrib.auth.decorators import login_required from django.template.loader import render_to_string from django.db import IntegrityError from django.db.models import Q from django.views.decorators.cache import never_cache from django.core.urlresolvers import reverse from django.contrib.auth import login as login_user from django.contrib.auth import logout as logout_user from django.contrib.auth.models import User from django.http import HttpResponse, HttpResponseRedirect, HttpResponseForbidden, Http404 from django.conf import settings from django.core.mail import mail_admins from django.core.validators import email_re from django.core.mail import EmailMultiAlternatives from django.contrib.sites.models import Site from django.utils import feedgenerator from mongoengine.queryset import OperationError from mongoengine.queryset import NotUniqueError from apps.recommendations.models import RecommendedFeed from apps.analyzer.models import MClassifierTitle, MClassifierAuthor, MClassifierFeed, MClassifierTag from apps.analyzer.models import apply_classifier_titles, apply_classifier_feeds from apps.analyzer.models import apply_classifier_authors, apply_classifier_tags from apps.analyzer.models import get_classifiers_for_user, sort_classifiers_by_feed from apps.profile.models import Profile from apps.reader.models import UserSubscription, UserSubscriptionFolders, RUserStory, Feature from apps.reader.forms import SignupForm, LoginForm, FeatureForm from apps.rss_feeds.models import MFeedIcon, MStarredStoryCounts from apps.search.models import MUserSearch from apps.statistics.models import MStatistics # from apps.search.models import SearchStarredStory try: from apps.rss_feeds.models import Feed, MFeedPage, DuplicateFeed, MStory, MStarredStory except: pass from apps.social.models import MSharedStory, MSocialProfile, MSocialServices from apps.social.models import MSocialSubscription, MActivity, MInteraction from apps.categories.models import MCategory from apps.social.views import load_social_page from apps.rss_feeds.tasks import ScheduleImmediateFetches from utils import json_functions as json from utils.user_functions import get_user, ajax_login_required from utils.feed_functions import relative_timesince from utils.story_functions import format_story_link_date__short from utils.story_functions import format_story_link_date__long from utils.story_functions import strip_tags from utils import log as logging from utils.view_functions import get_argument_or_404, render_to, is_true from utils.view_functions import required_params from utils.ratelimit import ratelimit from vendor.timezones.utilities import localtime_for_timezone BANNED_URLS = [ "brentozar.com", ] @never_cache @render_to('reader/dashboard.xhtml') def index(request, **kwargs): if request.method == "GET" and request.subdomain and request.subdomain not in ['dev', 'www', 'debug']: username = request.subdomain try: if '.' in username: username = username.split('.')[0] user = User.objects.get(username__iexact=username) except User.DoesNotExist: return HttpResponseRedirect('http://%s%s' % ( Site.objects.get_current().domain, reverse('index'))) return load_social_page(request, user_id=user.pk, username=request.subdomain, **kwargs) if request.user.is_anonymous(): return welcome(request, **kwargs) else: return dashboard(request, **kwargs) def dashboard(request, **kwargs): user = request.user feed_count = UserSubscription.objects.filter(user=request.user).count() recommended_feeds = RecommendedFeed.objects.filter(is_public=True, approved_date__lte=datetime.datetime.now() ).select_related('feed')[:2] unmoderated_feeds = [] if user.is_staff: unmoderated_feeds = RecommendedFeed.objects.filter(is_public=False, declined_date__isnull=True ).select_related('feed')[:2] statistics = MStatistics.all() social_profile = MSocialProfile.get_user(user.pk) start_import_from_google_reader = request.session.get('import_from_google_reader', False) if start_import_from_google_reader: del request.session['import_from_google_reader'] if not user.is_active: url = "https://%s%s" % (Site.objects.get_current().domain, reverse('stripe-form')) return HttpResponseRedirect(url) logging.user(request, "~FBLoading dashboard") return { 'user_profile' : user.profile, 'feed_count' : feed_count, 'account_images' : range(1, 4), 'recommended_feeds' : recommended_feeds, 'unmoderated_feeds' : unmoderated_feeds, 'statistics' : statistics, 'social_profile' : social_profile, 'start_import_from_google_reader': start_import_from_google_reader, 'debug' : settings.DEBUG, }, "reader/dashboard.xhtml" def welcome(request, **kwargs): user = get_user(request) statistics = MStatistics.all() social_profile = MSocialProfile.get_user(user.pk) if request.method == "POST": if request.POST.get('submit', '').startswith('log'): login_form = LoginForm(request.POST, prefix='login') signup_form = SignupForm(prefix='signup') else: login_form = LoginForm(prefix='login') signup_form = SignupForm(request.POST, prefix='signup') else: login_form = LoginForm(prefix='login') signup_form = SignupForm(prefix='signup') logging.user(request, "~FBLoading welcome") return { 'user_profile' : hasattr(user, 'profile') and user.profile, 'login_form' : login_form, 'signup_form' : signup_form, 'statistics' : statistics, 'social_profile' : social_profile, 'post_request' : request.method == 'POST', }, "reader/welcome.xhtml" @never_cache def login(request): code = -1 message = "" if request.method == "POST": form = LoginForm(request.POST, prefix='login') if form.is_valid(): login_user(request, form.get_user()) if request.POST.get('api'): logging.user(form.get_user(), "~FG~BB~SKiPhone Login~FW") code = 1 else: logging.user(form.get_user(), "~FG~BBLogin~FW") return HttpResponseRedirect(reverse('index')) else: message = form.errors.items()[0][1][0] if request.POST.get('api'): return HttpResponse(json.encode(dict(code=code, message=message)), mimetype='application/json') else: return index(request) @never_cache def signup(request): if request.method == "POST": form = SignupForm(prefix='signup', data=request.POST) if form.is_valid(): new_user = form.save() login_user(request, new_user) logging.user(new_user, "~FG~SB~BBNEW SIGNUP: ~FW%s" % new_user.email) if not new_user.is_active: url = "https://%s%s" % (Site.objects.get_current().domain, reverse('stripe-form')) return HttpResponseRedirect(url) return index(request) @never_cache def logout(request): logging.user(request, "~FG~BBLogout~FW") logout_user(request) if request.GET.get('api'): return HttpResponse(json.encode(dict(code=1)), mimetype='application/json') else: return HttpResponseRedirect(reverse('index')) def autologin(request, username, secret): next = request.GET.get('next', '') if not username or not secret: return HttpResponseForbidden() profile = Profile.objects.filter(user__username=username, secret_token=secret) if not profile: return HttpResponseForbidden() user = profile[0].user user.backend = settings.AUTHENTICATION_BACKENDS[0] login_user(request, user) logging.user(user, "~FG~BB~SKAuto-Login. Next stop: %s~FW" % (next if next else 'Homepage',)) if next and not next.startswith('/'): next = '?next=' + next return HttpResponseRedirect(reverse('index') + next) elif next: return HttpResponseRedirect(next) else: return HttpResponseRedirect(reverse('index')) @ratelimit(minutes=1, requests=24) @never_cache @json.json_view def load_feeds(request): user = get_user(request) feeds = {} include_favicons = request.REQUEST.get('include_favicons', False) flat = request.REQUEST.get('flat', False) update_counts = request.REQUEST.get('update_counts', False) version = int(request.REQUEST.get('v', 1)) if include_favicons == 'false': include_favicons = False if update_counts == 'false': update_counts = False if flat == 'false': flat = False if flat: return load_feeds_flat(request) try: folders = UserSubscriptionFolders.objects.get(user=user) except UserSubscriptionFolders.DoesNotExist: data = dict(feeds=[], folders=[]) return data except UserSubscriptionFolders.MultipleObjectsReturned: UserSubscriptionFolders.objects.filter(user=user)[1:].delete() folders = UserSubscriptionFolders.objects.get(user=user) user_subs = UserSubscription.objects.select_related('feed').filter(user=user) day_ago = datetime.datetime.now() - datetime.timedelta(days=1) scheduled_feeds = [] for sub in user_subs: pk = sub.feed_id if update_counts and sub.needs_unread_recalc: sub.calculate_feed_scores(silent=True) feeds[pk] = sub.canonical(include_favicon=include_favicons) if not sub.active: continue if not sub.feed.active and not sub.feed.has_feed_exception: scheduled_feeds.append(sub.feed.pk) elif sub.feed.active_subscribers <= 0: scheduled_feeds.append(sub.feed.pk) elif sub.feed.next_scheduled_update < day_ago: scheduled_feeds.append(sub.feed.pk) if len(scheduled_feeds) > 0 and request.user.is_authenticated(): logging.user(request, "~SN~FMTasking the scheduling immediate fetch of ~SB%s~SN feeds..." % len(scheduled_feeds)) ScheduleImmediateFetches.apply_async(kwargs=dict(feed_ids=scheduled_feeds, user_id=user.pk)) starred_counts, starred_count = MStarredStoryCounts.user_counts(user.pk, include_total=True) if not starred_count and len(starred_counts): starred_count = MStarredStory.objects(user_id=user.pk).count() social_params = { 'user_id': user.pk, 'include_favicon': include_favicons, 'update_counts': update_counts, } social_feeds = MSocialSubscription.feeds(**social_params) social_profile = MSocialProfile.profile(user.pk) social_services = MSocialServices.profile(user.pk) categories = None if not user_subs: categories = MCategory.serialize() logging.user(request, "~FB~SBLoading ~FY%s~FB/~FM%s~FB feeds/socials%s" % ( len(feeds.keys()), len(social_feeds), '. ~FCUpdating counts.' if update_counts else '')) data = { 'feeds': feeds.values() if version == 2 else feeds, 'social_feeds': social_feeds, 'social_profile': social_profile, 'social_services': social_services, 'user_profile': user.profile, "is_staff": user.is_staff, 'folders': json.decode(folders.folders), 'starred_count': starred_count, 'starred_counts': starred_counts, 'categories': categories } return data @json.json_view def load_feed_favicons(request): user = get_user(request) feed_ids = request.REQUEST.getlist('feed_ids') if not feed_ids: user_subs = UserSubscription.objects.select_related('feed').filter(user=user, active=True) feed_ids = [sub['feed__pk'] for sub in user_subs.values('feed__pk')] feed_icons = dict([(i.feed_id, i.data) for i in MFeedIcon.objects(feed_id__in=feed_ids)]) return feed_icons def load_feeds_flat(request): user = request.user include_favicons = is_true(request.REQUEST.get('include_favicons', False)) update_counts = is_true(request.REQUEST.get('update_counts', True)) feeds = {} day_ago = datetime.datetime.now() - datetime.timedelta(days=1) scheduled_feeds = [] iphone_version = "2.1" if include_favicons == 'false': include_favicons = False if update_counts == 'false': update_counts = False if not user.is_authenticated(): return HttpResponseForbidden() try: folders = UserSubscriptionFolders.objects.get(user=user) except UserSubscriptionFolders.DoesNotExist: folders = [] user_subs = UserSubscription.objects.select_related('feed').filter(user=user, active=True) if not user_subs and folders: folders.auto_activate() user_subs = UserSubscription.objects.select_related('feed').filter(user=user, active=True) for sub in user_subs: if update_counts and sub.needs_unread_recalc: sub.calculate_feed_scores(silent=True) feeds[sub.feed_id] = sub.canonical(include_favicon=include_favicons) if not sub.feed.active and not sub.feed.has_feed_exception: scheduled_feeds.append(sub.feed.pk) elif sub.feed.active_subscribers <= 0: scheduled_feeds.append(sub.feed.pk) elif sub.feed.next_scheduled_update < day_ago: scheduled_feeds.append(sub.feed.pk) if len(scheduled_feeds) > 0 and request.user.is_authenticated(): logging.user(request, "~SN~FMTasking the scheduling immediate fetch of ~SB%s~SN feeds..." % len(scheduled_feeds)) ScheduleImmediateFetches.apply_async(kwargs=dict(feed_ids=scheduled_feeds, user_id=user.pk)) flat_folders = [] if folders: flat_folders = folders.flatten_folders(feeds=feeds) social_params = { 'user_id': user.pk, 'include_favicon': include_favicons, 'update_counts': update_counts, } social_feeds = MSocialSubscription.feeds(**social_params) social_profile = MSocialProfile.profile(user.pk) social_services = MSocialServices.profile(user.pk) starred_counts, starred_count = MStarredStoryCounts.user_counts(user.pk, include_total=True) if not starred_count and len(starred_counts): starred_count = MStarredStory.objects(user_id=user.pk).count() categories = None if not user_subs: categories = MCategory.serialize() logging.user(request, "~FB~SBLoading ~FY%s~FB/~FM%s~FB feeds/socials ~FMflat~FB%s" % ( len(feeds.keys()), len(social_feeds), '. ~FCUpdating counts.' if update_counts else '')) data = { "flat_folders": flat_folders, "feeds": feeds, "social_feeds": social_feeds, "social_profile": social_profile, "social_services": social_services, "user": user.username, "is_staff": user.is_staff, "user_profile": user.profile, "iphone_version": iphone_version, "categories": categories, 'starred_count': starred_count, 'starred_counts': starred_counts, } return data @ratelimit(minutes=1, requests=10) @never_cache @json.json_view def refresh_feeds(request): user = get_user(request) feed_ids = request.REQUEST.getlist('feed_id') check_fetch_status = request.REQUEST.get('check_fetch_status') favicons_fetching = request.REQUEST.getlist('favicons_fetching') social_feed_ids = [feed_id for feed_id in feed_ids if 'social:' in feed_id] feed_ids = list(set(feed_ids) - set(social_feed_ids)) feeds = {} if feed_ids or (not social_feed_ids and not feed_ids): feeds = UserSubscription.feeds_with_updated_counts(user, feed_ids=feed_ids, check_fetch_status=check_fetch_status) social_feeds = {} if social_feed_ids or (not social_feed_ids and not feed_ids): social_feeds = MSocialSubscription.feeds_with_updated_counts(user, social_feed_ids=social_feed_ids) favicons_fetching = [int(f) for f in favicons_fetching if f] feed_icons = {} if favicons_fetching: feed_icons = dict([(i.feed_id, i) for i in MFeedIcon.objects(feed_id__in=favicons_fetching)]) for feed_id, feed in feeds.items(): if feed_id in favicons_fetching and feed_id in feed_icons: feeds[feed_id]['favicon'] = feed_icons[feed_id].data feeds[feed_id]['favicon_color'] = feed_icons[feed_id].color feeds[feed_id]['favicon_fetching'] = feed.get('favicon_fetching') user_subs = UserSubscription.objects.filter(user=user, active=True).only('feed') sub_feed_ids = [s.feed_id for s in user_subs] if favicons_fetching: moved_feed_ids = [f for f in favicons_fetching if f not in sub_feed_ids] for moved_feed_id in moved_feed_ids: duplicate_feeds = DuplicateFeed.objects.filter(duplicate_feed_id=moved_feed_id) if duplicate_feeds and duplicate_feeds[0].feed.pk in feeds: feeds[moved_feed_id] = feeds[duplicate_feeds[0].feed_id] feeds[moved_feed_id]['dupe_feed_id'] = duplicate_feeds[0].feed_id if check_fetch_status: missing_feed_ids = list(set(feed_ids) - set(sub_feed_ids)) if missing_feed_ids: duplicate_feeds = DuplicateFeed.objects.filter(duplicate_feed_id__in=missing_feed_ids) for duplicate_feed in duplicate_feeds: feeds[duplicate_feed.duplicate_feed_id] = {'id': duplicate_feed.feed_id} interactions_count = MInteraction.user_unread_count(user.pk) if True or settings.DEBUG or check_fetch_status: logging.user(request, "~FBRefreshing %s feeds (%s/%s)" % ( len(feeds.keys()), check_fetch_status, len(favicons_fetching))) return { 'feeds': feeds, 'social_feeds': social_feeds, 'interactions_count': interactions_count, } @json.json_view def interactions_count(request): user = get_user(request) interactions_count = MInteraction.user_unread_count(user.pk) return { 'interactions_count': interactions_count, } @never_cache @ajax_login_required @json.json_view def feed_unread_count(request): user = request.user feed_ids = request.REQUEST.getlist('feed_id') force = request.REQUEST.get('force', False) social_feed_ids = [feed_id for feed_id in feed_ids if 'social:' in feed_id] feed_ids = list(set(feed_ids) - set(social_feed_ids)) feeds = {} if feed_ids: feeds = UserSubscription.feeds_with_updated_counts(user, feed_ids=feed_ids, force=force) social_feeds = {} if social_feed_ids: social_feeds = MSocialSubscription.feeds_with_updated_counts(user, social_feed_ids=social_feed_ids) if len(feed_ids) == 1: if settings.DEBUG: feed_title = Feed.get_by_id(feed_ids[0]).feed_title else: feed_title = feed_ids[0] elif len(social_feed_ids) == 1: feed_title = MSocialProfile.objects.get(user_id=social_feed_ids[0].replace('social:', '')).username else: feed_title = "%s feeds" % (len(feeds) + len(social_feeds)) logging.user(request, "~FBUpdating unread count on: %s" % feed_title) return {'feeds': feeds, 'social_feeds': social_feeds} def refresh_feed(request, feed_id): user = get_user(request) feed = get_object_or_404(Feed, pk=feed_id) feed = feed.update(force=True, compute_scores=False) usersub = UserSubscription.objects.get(user=user, feed=feed) usersub.calculate_feed_scores(silent=False) logging.user(request, "~FBRefreshing feed: %s" % feed) return load_single_feed(request, feed_id) @never_cache @json.json_view def load_single_feed(request, feed_id): start = time.time() user = get_user(request) # offset = int(request.REQUEST.get('offset', 0)) # limit = int(request.REQUEST.get('limit', 6)) limit = 6 page = int(request.REQUEST.get('page', 1)) offset = limit * (page-1) order = request.REQUEST.get('order', 'newest') read_filter = request.REQUEST.get('read_filter', 'all') query = request.REQUEST.get('query') include_story_content = is_true(request.REQUEST.get('include_story_content', True)) include_hidden = is_true(request.REQUEST.get('include_hidden', False)) message = None user_search = None dupe_feed_id = None user_profiles = [] now = localtime_for_timezone(datetime.datetime.now(), user.profile.timezone) if not feed_id: raise Http404 feed_address = request.REQUEST.get('feed_address') feed = Feed.get_by_id(feed_id, feed_address=feed_address) if not feed: raise Http404 try: usersub = UserSubscription.objects.get(user=user, feed=feed) except UserSubscription.DoesNotExist: usersub = None if query: if user.profile.is_premium: user_search = MUserSearch.get_user(user.pk) user_search.touch_search_date() stories = feed.find_stories(query, order=order, offset=offset, limit=limit) else: stories = [] message = "You must be a premium subscriber to search." elif read_filter == 'starred': mstories = MStarredStory.objects( user_id=user.pk, story_feed_id=feed_id ).order_by('%sstarred_date' % ('-' if order == 'newest' else ''))[offset:offset+limit] stories = Feed.format_stories(mstories) elif usersub and (read_filter == 'unread' or order == 'oldest'): stories = usersub.get_stories(order=order, read_filter=read_filter, offset=offset, limit=limit, default_cutoff_date=user.profile.unread_cutoff) else: stories = feed.get_stories(offset, limit) checkpoint1 = time.time() try: stories, user_profiles = MSharedStory.stories_with_comments_and_profiles(stories, user.pk) except redis.ConnectionError: logging.user(request, "~BR~FK~SBRedis is unavailable for shared stories.") checkpoint2 = time.time() # Get intelligence classifier for user if usersub and usersub.is_trained: classifier_feeds = list(MClassifierFeed.objects(user_id=user.pk, feed_id=feed_id, social_user_id=0)) classifier_authors = list(MClassifierAuthor.objects(user_id=user.pk, feed_id=feed_id)) classifier_titles = list(MClassifierTitle.objects(user_id=user.pk, feed_id=feed_id)) classifier_tags = list(MClassifierTag.objects(user_id=user.pk, feed_id=feed_id)) else: classifier_feeds = [] classifier_authors = [] classifier_titles = [] classifier_tags = [] classifiers = get_classifiers_for_user(user, feed_id=feed_id, classifier_feeds=classifier_feeds, classifier_authors=classifier_authors, classifier_titles=classifier_titles, classifier_tags=classifier_tags) checkpoint3 = time.time() unread_story_hashes = [] if stories: if (read_filter == 'all' or query) and usersub: unread_story_hashes = UserSubscription.story_hashes(user.pk, read_filter='unread', feed_ids=[usersub.feed_id], usersubs=[usersub], group_by_feed=False, cutoff_date=user.profile.unread_cutoff) story_hashes = [story['story_hash'] for story in stories if story['story_hash']] starred_stories = MStarredStory.objects(user_id=user.pk, story_feed_id=feed.pk, story_hash__in=story_hashes)\ .only('story_hash', 'starred_date', 'user_tags') shared_story_hashes = MSharedStory.check_shared_story_hashes(user.pk, story_hashes) shared_stories = [] if shared_story_hashes: shared_stories = MSharedStory.objects(user_id=user.pk, story_hash__in=shared_story_hashes)\ .only('story_hash', 'shared_date', 'comments') starred_stories = dict([(story.story_hash, dict(starred_date=story.starred_date, user_tags=story.user_tags)) for story in starred_stories]) shared_stories = dict([(story.story_hash, dict(shared_date=story.shared_date, comments=story.comments)) for story in shared_stories]) checkpoint4 = time.time() for story in stories: if not include_story_content: del story['story_content'] story_date = localtime_for_timezone(story['story_date'], user.profile.timezone) nowtz = localtime_for_timezone(now, user.profile.timezone) story['short_parsed_date'] = format_story_link_date__short(story_date, nowtz) story['long_parsed_date'] = format_story_link_date__long(story_date, nowtz) if usersub: story['read_status'] = 1 if (read_filter == 'all' or query) and usersub: story['read_status'] = 1 if story['story_hash'] not in unread_story_hashes else 0 elif read_filter == 'unread' and usersub: story['read_status'] = 0 if story['story_hash'] in starred_stories: story['starred'] = True starred_date = localtime_for_timezone(starred_stories[story['story_hash']]['starred_date'], user.profile.timezone) story['starred_date'] = format_story_link_date__long(starred_date, now) story['starred_timestamp'] = starred_date.strftime('%s') story['user_tags'] = starred_stories[story['story_hash']]['user_tags'] if story['story_hash'] in shared_stories: story['shared'] = True shared_date = localtime_for_timezone(shared_stories[story['story_hash']]['shared_date'], user.profile.timezone) story['shared_date'] = format_story_link_date__long(shared_date, now) story['shared_comments'] = strip_tags(shared_stories[story['story_hash']]['comments']) else: story['read_status'] = 1 story['intelligence'] = { 'feed': apply_classifier_feeds(classifier_feeds, feed), 'author': apply_classifier_authors(classifier_authors, story), 'tags': apply_classifier_tags(classifier_tags, story), 'title': apply_classifier_titles(classifier_titles, story), } story['score'] = UserSubscription.score_story(story['intelligence']) # Intelligence feed_tags = json.decode(feed.data.popular_tags) if feed.data.popular_tags else [] feed_authors = json.decode(feed.data.popular_authors) if feed.data.popular_authors else [] if usersub: usersub.feed_opens += 1 usersub.needs_unread_recalc = True usersub.save(update_fields=['feed_opens', 'needs_unread_recalc']) diff1 = checkpoint1-start diff2 = checkpoint2-start diff3 = checkpoint3-start diff4 = checkpoint4-start timediff = time.time()-start last_update = relative_timesince(feed.last_update) time_breakdown = "" if timediff > 1 or settings.DEBUG: time_breakdown = "~SN~FR(~SB%.4s/%.4s/%.4s/%.4s~SN)" % ( diff1, diff2, diff3, diff4) search_log = "~SN~FG(~SB%s~SN) " % query if query else "" logging.user(request, "~FYLoading feed: ~SB%s%s (%s/%s) %s%s" % ( feed.feed_title[:22], ('~SN/p%s' % page) if page > 1 else '', order, read_filter, search_log, time_breakdown)) if not include_hidden: hidden_stories_removed = 0 new_stories = [] for story in stories: if story['score'] >= 0: new_stories.append(story) else: hidden_stories_removed += 1 stories = new_stories data = dict(stories=stories, user_profiles=user_profiles, feed_tags=feed_tags, feed_authors=feed_authors, classifiers=classifiers, updated=last_update, user_search=user_search, feed_id=feed.pk, elapsed_time=round(float(timediff), 2), message=message) if not include_hidden: data['hidden_stories_removed'] = hidden_stories_removed if dupe_feed_id: data['dupe_feed_id'] = dupe_feed_id if not usersub: data.update(feed.canonical()) # if not usersub and feed.num_subscribers <= 1: # data = dict(code=-1, message="You must be subscribed to this feed.") # if page <= 3: # import random # time.sleep(random.randint(2, 4)) # if page == 2: # assert False return data def load_feed_page(request, feed_id): if not feed_id: raise Http404 feed = Feed.get_by_id(feed_id) if feed and feed.has_page and not feed.has_page_exception: if settings.BACKED_BY_AWS.get('pages_on_node'): url = "http://%s/original_page/%s" % ( settings.ORIGINAL_PAGE_SERVER, feed.pk, ) page_response = requests.get(url) if page_response.status_code == 200: response = HttpResponse(page_response.content, mimetype="text/html; charset=utf-8") response['Content-Encoding'] = 'gzip' response['Last-Modified'] = page_response.headers.get('Last-modified') response['Etag'] = page_response.headers.get('Etag') response['Content-Length'] = str(len(page_response.content)) logging.user(request, "~FYLoading original page, proxied from node: ~SB%s bytes" % (len(page_response.content))) return response if settings.BACKED_BY_AWS['pages_on_s3'] and feed.s3_page: if settings.PROXY_S3_PAGES: key = settings.S3_PAGES_BUCKET.get_key(feed.s3_pages_key) if key: compressed_data = key.get_contents_as_string() response = HttpResponse(compressed_data, mimetype="text/html; charset=utf-8") response['Content-Encoding'] = 'gzip' logging.user(request, "~FYLoading original page, proxied: ~SB%s bytes" % (len(compressed_data))) return response else: logging.user(request, "~FYLoading original page, non-proxied") return HttpResponseRedirect('//%s/%s' % (settings.S3_PAGES_BUCKET_NAME, feed.s3_pages_key)) data = MFeedPage.get_data(feed_id=feed_id) if not data or not feed or not feed.has_page or feed.has_page_exception: logging.user(request, "~FYLoading original page, ~FRmissing") return render(request, 'static/404_original_page.xhtml', {}, content_type='text/html', status=404) logging.user(request, "~FYLoading original page, from the db") return HttpResponse(data, mimetype="text/html; charset=utf-8") @json.json_view def load_starred_stories(request): user = get_user(request) offset = int(request.REQUEST.get('offset', 0)) limit = int(request.REQUEST.get('limit', 10)) page = int(request.REQUEST.get('page', 0)) query = request.REQUEST.get('query') order = request.REQUEST.get('order', 'newest') tag = request.REQUEST.get('tag') story_hashes = request.REQUEST.getlist('h')[:100] version = int(request.REQUEST.get('v', 1)) now = localtime_for_timezone(datetime.datetime.now(), user.profile.timezone) message = None order_by = '-' if order == "newest" else "" if page: offset = limit * (page - 1) if query: # results = SearchStarredStory.query(user.pk, query) # story_ids = [result.db_id for result in results] if user.profile.is_premium: stories = MStarredStory.find_stories(query, user.pk, tag=tag, offset=offset, limit=limit, order=order) else: stories = [] message = "You must be a premium subscriber to search." elif tag: if user.profile.is_premium: mstories = MStarredStory.objects( user_id=user.pk, user_tags__contains=tag ).order_by('%sstarred_date' % order_by)[offset:offset+limit] stories = Feed.format_stories(mstories) else: stories = [] message = "You must be a premium subscriber to read saved stories by tag." elif story_hashes: mstories = MStarredStory.objects( user_id=user.pk, story_hash__in=story_hashes ).order_by('%sstarred_date' % order_by)[offset:offset+limit] stories = Feed.format_stories(mstories) else: mstories = MStarredStory.objects( user_id=user.pk ).order_by('%sstarred_date' % order_by)[offset:offset+limit] stories = Feed.format_stories(mstories) stories, user_profiles = MSharedStory.stories_with_comments_and_profiles(stories, user.pk, check_all=True) story_hashes = [story['story_hash'] for story in stories] story_feed_ids = list(set(s['story_feed_id'] for s in stories)) usersub_ids = UserSubscription.objects.filter(user__pk=user.pk, feed__pk__in=story_feed_ids).values('feed__pk') usersub_ids = [us['feed__pk'] for us in usersub_ids] unsub_feed_ids = list(set(story_feed_ids).difference(set(usersub_ids))) unsub_feeds = Feed.objects.filter(pk__in=unsub_feed_ids) unsub_feeds = dict((feed.pk, feed.canonical(include_favicon=False)) for feed in unsub_feeds) shared_story_hashes = MSharedStory.check_shared_story_hashes(user.pk, story_hashes) shared_stories = [] if shared_story_hashes: shared_stories = MSharedStory.objects(user_id=user.pk, story_hash__in=shared_story_hashes)\ .only('story_hash', 'shared_date', 'comments') shared_stories = dict([(story.story_hash, dict(shared_date=story.shared_date, comments=story.comments)) for story in shared_stories]) nowtz = localtime_for_timezone(now, user.profile.timezone) for story in stories: story_date = localtime_for_timezone(story['story_date'], user.profile.timezone) story['short_parsed_date'] = format_story_link_date__short(story_date, nowtz) story['long_parsed_date'] = format_story_link_date__long(story_date, nowtz) starred_date = localtime_for_timezone(story['starred_date'], user.profile.timezone) story['starred_date'] = format_story_link_date__long(starred_date, nowtz) story['starred_timestamp'] = starred_date.strftime('%s') story['read_status'] = 1 story['starred'] = True story['intelligence'] = { 'feed': 1, 'author': 0, 'tags': 0, 'title': 0, } if story['story_hash'] in shared_stories: story['shared'] = True story['shared_comments'] = strip_tags(shared_stories[story['story_hash']]['comments']) search_log = "~SN~FG(~SB%s~SN)" % query if query else "" logging.user(request, "~FCLoading starred stories: ~SB%s stories %s" % (len(stories), search_log)) return { "stories": stories, "user_profiles": user_profiles, 'feeds': unsub_feeds.values() if version == 2 else unsub_feeds, "message": message, } @json.json_view def starred_story_hashes(request): user = get_user(request) include_timestamps = is_true(request.REQUEST.get('include_timestamps', False)) mstories = MStarredStory.objects( user_id=user.pk ).only('story_hash', 'starred_date').order_by('-starred_date') if include_timestamps: story_hashes = [(s.story_hash, s.starred_date.strftime("%s")) for s in mstories] else: story_hashes = [s.story_hash for s in mstories] logging.user(request, "~FYLoading ~FCstarred story hashes~FY: %s story hashes" % (len(story_hashes))) return dict(starred_story_hashes=story_hashes) def starred_stories_rss_feed(request, user_id, secret_token, tag_slug): try: user = User.objects.get(pk=user_id) except User.DoesNotExist: raise Http404 try: tag_counts = MStarredStoryCounts.objects.get(user_id=user_id, slug=tag_slug) except MStarredStoryCounts.MultipleObjectsReturned: tag_counts = MStarredStoryCounts.objects(user_id=user_id, slug=tag_slug).first() except MStarredStoryCounts.DoesNotExist: raise Http404 data = {} data['title'] = "Saved Stories - %s" % tag_counts.tag data['link'] = "%s%s" % ( settings.NEWSBLUR_URL, reverse('saved-stories-tag', kwargs=dict(tag_name=tag_slug))) data['description'] = "Stories saved by %s on NewsBlur with the tag \"%s\"." % (user.username, tag_counts.tag) data['lastBuildDate'] = datetime.datetime.utcnow() data['generator'] = 'NewsBlur - %s' % settings.NEWSBLUR_URL data['docs'] = None data['author_name'] = user.username data['feed_url'] = "%s%s" % ( settings.NEWSBLUR_URL, reverse('starred-stories-rss-feed', kwargs=dict(user_id=user_id, secret_token=secret_token, tag_slug=tag_slug)), ) rss = feedgenerator.Atom1Feed(**data) if not tag_counts.tag: starred_stories = MStarredStory.objects( user_id=user.pk ).order_by('-starred_date').limit(25) else: starred_stories = MStarredStory.objects( user_id=user.pk, user_tags__contains=tag_counts.tag ).order_by('-starred_date').limit(25) for starred_story in starred_stories: story_data = { 'title': starred_story.story_title, 'link': starred_story.story_permalink, 'description': (starred_story.story_content_z and zlib.decompress(starred_story.story_content_z)), 'author_name': starred_story.story_author_name, 'categories': starred_story.story_tags, 'unique_id': starred_story.story_guid, 'pubdate': starred_story.starred_date, } rss.add_item(**story_data) logging.user(request, "~FBGenerating ~SB%s~SN's saved story RSS feed (%s, %s stories): ~FM%s" % ( user.username, tag_counts.tag, tag_counts.count, request.META.get('HTTP_USER_AGENT', "")[:24] )) return HttpResponse(rss.writeString('utf-8'), content_type='application/rss+xml') @json.json_view def load_read_stories(request): user = get_user(request) offset = int(request.REQUEST.get('offset', 0)) limit = int(request.REQUEST.get('limit', 10)) page = int(request.REQUEST.get('page', 0)) order = request.REQUEST.get('order', 'newest') query = request.REQUEST.get('query') now = localtime_for_timezone(datetime.datetime.now(), user.profile.timezone) message = None if page: offset = limit * (page - 1) if query: stories = [] message = "Not implemented yet." # if user.profile.is_premium: # stories = MStarredStory.find_stories(query, user.pk, offset=offset, limit=limit) # else: # stories = [] # message = "You must be a premium subscriber to search." else: story_hashes = RUserStory.get_read_stories(user.pk, offset=offset, limit=limit, order=order) mstories = MStory.objects(story_hash__in=story_hashes) stories = Feed.format_stories(mstories) stories = sorted(stories, key=lambda story: story_hashes.index(story['story_hash']), reverse=bool(order=="oldest")) stories, user_profiles = MSharedStory.stories_with_comments_and_profiles(stories, user.pk, check_all=True) story_hashes = [story['story_hash'] for story in stories] story_feed_ids = list(set(s['story_feed_id'] for s in stories)) usersub_ids = UserSubscription.objects.filter(user__pk=user.pk, feed__pk__in=story_feed_ids).values('feed__pk') usersub_ids = [us['feed__pk'] for us in usersub_ids] unsub_feed_ids = list(set(story_feed_ids).difference(set(usersub_ids))) unsub_feeds = Feed.objects.filter(pk__in=unsub_feed_ids) unsub_feeds = [feed.canonical(include_favicon=False) for feed in unsub_feeds] shared_stories = MSharedStory.objects(user_id=user.pk, story_hash__in=story_hashes)\ .only('story_hash', 'shared_date', 'comments') shared_stories = dict([(story.story_hash, dict(shared_date=story.shared_date, comments=story.comments)) for story in shared_stories]) starred_stories = MStarredStory.objects(user_id=user.pk, story_hash__in=story_hashes)\ .only('story_hash', 'starred_date') starred_stories = dict([(story.story_hash, story.starred_date) for story in starred_stories]) nowtz = localtime_for_timezone(now, user.profile.timezone) for story in stories: story_date = localtime_for_timezone(story['story_date'], user.profile.timezone) story['short_parsed_date'] = format_story_link_date__short(story_date, nowtz) story['long_parsed_date'] = format_story_link_date__long(story_date, nowtz) story['read_status'] = 1 story['intelligence'] = { 'feed': 1, 'author': 0, 'tags': 0, 'title': 0, } if story['story_hash'] in starred_stories: story['starred'] = True starred_date = localtime_for_timezone(starred_stories[story['story_hash']], user.profile.timezone) story['starred_date'] = format_story_link_date__long(starred_date, now) story['starred_timestamp'] = starred_date.strftime('%s') if story['story_hash'] in shared_stories: story['shared'] = True story['shared_comments'] = strip_tags(shared_stories[story['story_hash']]['comments']) search_log = "~SN~FG(~SB%s~SN)" % query if query else "" logging.user(request, "~FCLoading read stories: ~SB%s stories %s" % (len(stories), search_log)) return { "stories": stories, "user_profiles": user_profiles, "feeds": unsub_feeds, "message": message, } @json.json_view def load_river_stories__redis(request): limit = 12 start = time.time() user = get_user(request) message = None feed_ids = [int(feed_id) for feed_id in request.REQUEST.getlist('feeds') if feed_id] if not feed_ids: feed_ids = [int(feed_id) for feed_id in request.REQUEST.getlist('f') if feed_id] story_hashes = request.REQUEST.getlist('h')[:100] original_feed_ids = list(feed_ids) page = int(request.REQUEST.get('page', 1)) order = request.REQUEST.get('order', 'newest') read_filter = request.REQUEST.get('read_filter', 'unread') query = request.REQUEST.get('query') include_hidden = is_true(request.REQUEST.get('include_hidden', False)) now = localtime_for_timezone(datetime.datetime.now(), user.profile.timezone) usersubs = [] code = 1 user_search = None offset = (page-1) * limit limit = page * limit story_date_order = "%sstory_date" % ('' if order == 'oldest' else '-') if story_hashes: unread_feed_story_hashes = None read_filter = 'unread' mstories = MStory.objects(story_hash__in=story_hashes).order_by(story_date_order) stories = Feed.format_stories(mstories) elif query: if user.profile.is_premium: user_search = MUserSearch.get_user(user.pk) user_search.touch_search_date() usersubs = UserSubscription.subs_for_feeds(user.pk, feed_ids=feed_ids, read_filter='all') feed_ids = [sub.feed_id for sub in usersubs] stories = Feed.find_feed_stories(feed_ids, query, order=order, offset=offset, limit=limit) mstories = stories unread_feed_story_hashes = UserSubscription.story_hashes(user.pk, feed_ids=feed_ids, read_filter="unread", order=order, group_by_feed=False, cutoff_date=user.profile.unread_cutoff) else: stories = [] mstories = [] message = "You must be a premium subscriber to search." elif read_filter == 'starred': mstories = MStarredStory.objects( user_id=user.pk, story_feed_id__in=feed_ids ).order_by('%sstarred_date' % ('-' if order == 'newest' else ''))[offset:offset+limit] stories = Feed.format_stories(mstories) else: usersubs = UserSubscription.subs_for_feeds(user.pk, feed_ids=feed_ids, read_filter=read_filter) all_feed_ids = [f for f in feed_ids] feed_ids = [sub.feed_id for sub in usersubs] if feed_ids: params = { "user_id": user.pk, "feed_ids": feed_ids, "all_feed_ids": all_feed_ids, "offset": offset, "limit": limit, "order": order, "read_filter": read_filter, "usersubs": usersubs, "cutoff_date": user.profile.unread_cutoff, } story_hashes, unread_feed_story_hashes = UserSubscription.feed_stories(**params) else: story_hashes = [] unread_feed_story_hashes = [] mstories = MStory.objects(story_hash__in=story_hashes).order_by(story_date_order) stories = Feed.format_stories(mstories) found_feed_ids = list(set([story['story_feed_id'] for story in stories])) stories, user_profiles = MSharedStory.stories_with_comments_and_profiles(stories, user.pk) if not usersubs: usersubs = UserSubscription.subs_for_feeds(user.pk, feed_ids=found_feed_ids, read_filter=read_filter) trained_feed_ids = [sub.feed_id for sub in usersubs if sub.is_trained] found_trained_feed_ids = list(set(trained_feed_ids) & set(found_feed_ids)) # Find starred stories if found_feed_ids: if read_filter == 'starred': starred_stories = mstories else: starred_stories = MStarredStory.objects( user_id=user.pk, story_feed_id__in=found_feed_ids ).only('story_hash', 'starred_date') starred_stories = dict([(story.story_hash, dict(starred_date=story.starred_date, user_tags=story.user_tags)) for story in starred_stories]) else: starred_stories = {} # Intelligence classifiers for all feeds involved if found_trained_feed_ids: classifier_feeds = list(MClassifierFeed.objects(user_id=user.pk, feed_id__in=found_trained_feed_ids, social_user_id=0)) classifier_authors = list(MClassifierAuthor.objects(user_id=user.pk, feed_id__in=found_trained_feed_ids)) classifier_titles = list(MClassifierTitle.objects(user_id=user.pk, feed_id__in=found_trained_feed_ids)) classifier_tags = list(MClassifierTag.objects(user_id=user.pk, feed_id__in=found_trained_feed_ids)) else: classifier_feeds = [] classifier_authors = [] classifier_titles = [] classifier_tags = [] classifiers = sort_classifiers_by_feed(user=user, feed_ids=found_feed_ids, classifier_feeds=classifier_feeds, classifier_authors=classifier_authors, classifier_titles=classifier_titles, classifier_tags=classifier_tags) # Just need to format stories nowtz = localtime_for_timezone(now, user.profile.timezone) for story in stories: if read_filter == 'starred': story['read_status'] = 1 else: story['read_status'] = 0 if read_filter == 'all' or query: if (unread_feed_story_hashes is not None and story['story_hash'] not in unread_feed_story_hashes): story['read_status'] = 1 story_date = localtime_for_timezone(story['story_date'], user.profile.timezone) story['short_parsed_date'] = format_story_link_date__short(story_date, nowtz) story['long_parsed_date'] = format_story_link_date__long(story_date, nowtz) if story['story_hash'] in starred_stories: story['starred'] = True starred_date = localtime_for_timezone(starred_stories[story['story_hash']]['starred_date'], user.profile.timezone) story['starred_date'] = format_story_link_date__long(starred_date, now) story['starred_timestamp'] = starred_date.strftime('%s') story['user_tags'] = starred_stories[story['story_hash']]['user_tags'] story['intelligence'] = { 'feed': apply_classifier_feeds(classifier_feeds, story['story_feed_id']), 'author': apply_classifier_authors(classifier_authors, story), 'tags': apply_classifier_tags(classifier_tags, story), 'title': apply_classifier_titles(classifier_titles, story), } story['score'] = UserSubscription.score_story(story['intelligence']) if not user.profile.is_premium: message = "The full River of News is a premium feature." code = 0 # if page > 1: # stories = [] # else: # stories = stories[:5] diff = time.time() - start timediff = round(float(diff), 2) logging.user(request, "~FYLoading ~FCriver stories~FY: ~SBp%s~SN (%s/%s " "stories, ~SN%s/%s/%s feeds, %s/%s)" % (page, len(stories), len(mstories), len(found_feed_ids), len(feed_ids), len(original_feed_ids), order, read_filter)) if not include_hidden: hidden_stories_removed = 0 new_stories = [] for story in stories: if story['score'] >= 0: new_stories.append(story) else: hidden_stories_removed += 1 stories = new_stories # if page <= 1: # import random # time.sleep(random.randint(0, 6)) data = dict(code=code, message=message, stories=stories, classifiers=classifiers, elapsed_time=timediff, user_search=user_search, user_profiles=user_profiles) if not include_hidden: data['hidden_stories_removed'] = hidden_stories_removed return data @json.json_view def unread_story_hashes__old(request): user = get_user(request) feed_ids = [int(feed_id) for feed_id in request.REQUEST.getlist('feed_id') if feed_id] include_timestamps = is_true(request.REQUEST.get('include_timestamps', False)) usersubs = {} if not feed_ids: usersubs = UserSubscription.objects.filter(Q(unread_count_neutral__gt=0) | Q(unread_count_positive__gt=0), user=user, active=True) feed_ids = [sub.feed_id for sub in usersubs] else: usersubs = UserSubscription.objects.filter(Q(unread_count_neutral__gt=0) | Q(unread_count_positive__gt=0), user=user, active=True, feed__in=feed_ids) unread_feed_story_hashes = {} story_hash_count = 0 usersubs = dict((sub.feed_id, sub) for sub in usersubs) for feed_id in feed_ids: if feed_id in usersubs: us = usersubs[feed_id] else: continue if not us.unread_count_neutral and not us.unread_count_positive: continue unread_feed_story_hashes[feed_id] = us.get_stories(read_filter='unread', limit=500, withscores=include_timestamps, hashes_only=True, default_cutoff_date=user.profile.unread_cutoff) story_hash_count += len(unread_feed_story_hashes[feed_id]) logging.user(request, "~FYLoading ~FCunread story hashes~FY: ~SB%s feeds~SN (%s story hashes)" % (len(feed_ids), len(story_hash_count))) return dict(unread_feed_story_hashes=unread_feed_story_hashes) @json.json_view def unread_story_hashes(request): user = get_user(request) feed_ids = [int(feed_id) for feed_id in request.REQUEST.getlist('feed_id') if feed_id] include_timestamps = is_true(request.REQUEST.get('include_timestamps', False)) order = request.REQUEST.get('order', 'newest') read_filter = request.REQUEST.get('read_filter', 'unread') story_hashes = UserSubscription.story_hashes(user.pk, feed_ids=feed_ids, order=order, read_filter=read_filter, include_timestamps=include_timestamps, cutoff_date=user.profile.unread_cutoff) logging.user(request, "~FYLoading ~FCunread story hashes~FY: ~SB%s feeds~SN (%s story hashes)" % (len(feed_ids), len(story_hashes))) return dict(unread_feed_story_hashes=story_hashes) @ajax_login_required @json.json_view def mark_all_as_read(request): code = 1 try: days = int(request.REQUEST.get('days', 0)) except ValueError: return dict(code=-1, message="Days parameter must be an integer, not: %s" % request.REQUEST.get('days')) read_date = datetime.datetime.utcnow() - datetime.timedelta(days=days) feeds = UserSubscription.objects.filter(user=request.user) socialsubs = MSocialSubscription.objects.filter(user_id=request.user.pk) for subtype in [feeds, socialsubs]: for sub in subtype: if days == 0: sub.mark_feed_read() else: if sub.mark_read_date < read_date: sub.needs_unread_recalc = True sub.mark_read_date = read_date sub.save() logging.user(request, "~FMMarking all as read: ~SB%s days" % (days,)) return dict(code=code) @ajax_login_required @json.json_view def mark_story_as_read(request): story_ids = request.REQUEST.getlist('story_id') try: feed_id = int(get_argument_or_404(request, 'feed_id')) except ValueError: return dict(code=-1, errors=["You must pass a valid feed_id: %s" % request.REQUEST.get('feed_id')]) try: usersub = UserSubscription.objects.select_related('feed').get(user=request.user, feed=feed_id) except Feed.DoesNotExist: duplicate_feed = DuplicateFeed.objects.filter(duplicate_feed_id=feed_id) if duplicate_feed: feed_id = duplicate_feed[0].feed_id try: usersub = UserSubscription.objects.get(user=request.user, feed=duplicate_feed[0].feed) except (Feed.DoesNotExist): return dict(code=-1, errors=["No feed exists for feed_id %d." % feed_id]) else: return dict(code=-1, errors=["No feed exists for feed_id %d." % feed_id]) except UserSubscription.DoesNotExist: usersub = None if usersub: data = usersub.mark_story_ids_as_read(story_ids, request=request) else: data = dict(code=-1, errors=["User is not subscribed to this feed."]) r = redis.Redis(connection_pool=settings.REDIS_PUBSUB_POOL) r.publish(request.user.username, 'feed:%s' % feed_id) return data @ajax_login_required @json.json_view def mark_story_hashes_as_read(request): r = redis.Redis(connection_pool=settings.REDIS_PUBSUB_POOL) story_hashes = request.REQUEST.getlist('story_hash') feed_ids, friend_ids = RUserStory.mark_story_hashes_read(request.user.pk, story_hashes) if friend_ids: socialsubs = MSocialSubscription.objects.filter( user_id=request.user.pk, subscription_user_id__in=friend_ids) for socialsub in socialsubs: if not socialsub.needs_unread_recalc: socialsub.needs_unread_recalc = True socialsub.save() r.publish(request.user.username, 'social:%s' % socialsub.subscription_user_id) # Also count on original subscription for feed_id in feed_ids: usersubs = UserSubscription.objects.filter(user=request.user.pk, feed=feed_id) if usersubs: usersub = usersubs[0] if not usersub.needs_unread_recalc: usersub.needs_unread_recalc = True usersub.save(update_fields=['needs_unread_recalc']) r.publish(request.user.username, 'feed:%s' % feed_id) hash_count = len(story_hashes) logging.user(request, "~FYRead %s %s in feed/socialsubs: %s/%s" % ( hash_count, 'story' if hash_count == 1 else 'stories', feed_ids, friend_ids)) return dict(code=1, story_hashes=story_hashes, feed_ids=feed_ids, friend_user_ids=friend_ids) @ajax_login_required @json.json_view def mark_feed_stories_as_read(request): r = redis.Redis(connection_pool=settings.REDIS_PUBSUB_POOL) feeds_stories = request.REQUEST.get('feeds_stories', "{}") feeds_stories = json.decode(feeds_stories) data = { 'code': -1, 'message': 'Nothing was marked as read' } for feed_id, story_ids in feeds_stories.items(): try: feed_id = int(feed_id) except ValueError: continue try: usersub = UserSubscription.objects.select_related('feed').get(user=request.user, feed=feed_id) data = usersub.mark_story_ids_as_read(story_ids, request=request) except UserSubscription.DoesNotExist: return dict(code=-1, error="You are not subscribed to this feed_id: %d" % feed_id) except Feed.DoesNotExist: duplicate_feed = DuplicateFeed.objects.filter(duplicate_feed_id=feed_id) try: if not duplicate_feed: raise Feed.DoesNotExist usersub = UserSubscription.objects.get(user=request.user, feed=duplicate_feed[0].feed) data = usersub.mark_story_ids_as_read(story_ids, request=request) except (UserSubscription.DoesNotExist, Feed.DoesNotExist): return dict(code=-1, error="No feed exists for feed_id: %d" % feed_id) r.publish(request.user.username, 'feed:%s' % feed_id) return data @ajax_login_required @json.json_view def mark_social_stories_as_read(request): code = 1 errors = [] data = {} r = redis.Redis(connection_pool=settings.REDIS_PUBSUB_POOL) users_feeds_stories = request.REQUEST.get('users_feeds_stories', "{}") users_feeds_stories = json.decode(users_feeds_stories) for social_user_id, feeds in users_feeds_stories.items(): for feed_id, story_ids in feeds.items(): feed_id = int(feed_id) try: socialsub = MSocialSubscription.objects.get(user_id=request.user.pk, subscription_user_id=social_user_id) data = socialsub.mark_story_ids_as_read(story_ids, feed_id, request=request) except OperationError, e: code = -1 errors.append("Already read story: %s" % e) except MSocialSubscription.DoesNotExist: MSocialSubscription.mark_unsub_story_ids_as_read(request.user.pk, social_user_id, story_ids, feed_id, request=request) except Feed.DoesNotExist: duplicate_feed = DuplicateFeed.objects.filter(duplicate_feed_id=feed_id) if duplicate_feed: try: socialsub = MSocialSubscription.objects.get(user_id=request.user.pk, subscription_user_id=social_user_id) data = socialsub.mark_story_ids_as_read(story_ids, duplicate_feed[0].feed.pk, request=request) except (UserSubscription.DoesNotExist, Feed.DoesNotExist): code = -1 errors.append("No feed exists for feed_id %d." % feed_id) else: continue r.publish(request.user.username, 'feed:%s' % feed_id) r.publish(request.user.username, 'social:%s' % social_user_id) data.update(code=code, errors=errors) return data @required_params('story_id', feed_id=int) @ajax_login_required @json.json_view def mark_story_as_unread(request): story_id = request.REQUEST.get('story_id', None) feed_id = int(request.REQUEST.get('feed_id', 0)) try: usersub = UserSubscription.objects.select_related('feed').get(user=request.user, feed=feed_id) feed = usersub.feed except UserSubscription.DoesNotExist: usersub = None feed = Feed.get_by_id(feed_id) if usersub and not usersub.needs_unread_recalc: usersub.needs_unread_recalc = True usersub.save(update_fields=['needs_unread_recalc']) data = dict(code=0, payload=dict(story_id=story_id)) story, found_original = MStory.find_story(feed_id, story_id) if not story: logging.user(request, "~FY~SBUnread~SN story in feed: %s (NOT FOUND)" % (feed)) return dict(code=-1, message="Story not found.") if usersub: data = usersub.invert_read_stories_after_unread_story(story, request) message = RUserStory.story_can_be_marked_read_by_user(story, request.user) if message: data['code'] = -1 data['message'] = message return data social_subs = MSocialSubscription.mark_dirty_sharing_story(user_id=request.user.pk, story_feed_id=feed_id, story_guid_hash=story.guid_hash) dirty_count = social_subs and social_subs.count() dirty_count = ("(%s social_subs)" % dirty_count) if dirty_count else "" RUserStory.mark_story_hash_unread(user_id=request.user.pk, story_hash=story.story_hash) r = redis.Redis(connection_pool=settings.REDIS_PUBSUB_POOL) r.publish(request.user.username, 'feed:%s' % feed_id) logging.user(request, "~FY~SBUnread~SN story in feed: %s %s" % (feed, dirty_count)) return data @ajax_login_required @json.json_view @required_params('story_hash') def mark_story_hash_as_unread(request): r = redis.Redis(connection_pool=settings.REDIS_PUBSUB_POOL) story_hash = request.REQUEST.get('story_hash') feed_id, _ = MStory.split_story_hash(story_hash) story, _ = MStory.find_story(feed_id, story_hash) if not story: data = dict(code=-1, message="That story has been removed from the feed, no need to mark it unread.") return data message = RUserStory.story_can_be_marked_read_by_user(story, request.user) if message: data = dict(code=-1, message=message) return data # Also count on original subscription usersubs = UserSubscription.objects.filter(user=request.user.pk, feed=feed_id) if usersubs: usersub = usersubs[0] if not usersub.needs_unread_recalc: usersub.needs_unread_recalc = True usersub.save(update_fields=['needs_unread_recalc']) data = usersub.invert_read_stories_after_unread_story(story, request) r.publish(request.user.username, 'feed:%s' % feed_id) feed_id, friend_ids = RUserStory.mark_story_hash_unread(request.user.pk, story_hash) if friend_ids: socialsubs = MSocialSubscription.objects.filter( user_id=request.user.pk, subscription_user_id__in=friend_ids) for socialsub in socialsubs: if not socialsub.needs_unread_recalc: socialsub.needs_unread_recalc = True socialsub.save() r.publish(request.user.username, 'social:%s' % socialsub.subscription_user_id) logging.user(request, "~FYUnread story in feed/socialsubs: %s/%s" % (feed_id, friend_ids)) return dict(code=1, story_hash=story_hash, feed_id=feed_id, friend_user_ids=friend_ids) @ajax_login_required @json.json_view def mark_feed_as_read(request): r = redis.Redis(connection_pool=settings.REDIS_PUBSUB_POOL) feed_ids = request.REQUEST.getlist('feed_id') cutoff_timestamp = int(request.REQUEST.get('cutoff_timestamp', 0)) direction = request.REQUEST.get('direction', 'older') multiple = len(feed_ids) > 1 code = 1 errors = [] cutoff_date = datetime.datetime.fromtimestamp(cutoff_timestamp) if cutoff_timestamp else None for feed_id in feed_ids: if 'social:' in feed_id: user_id = int(feed_id.replace('social:', '')) try: sub = MSocialSubscription.objects.get(user_id=request.user.pk, subscription_user_id=user_id) except MSocialSubscription.DoesNotExist: logging.user(request, "~FRCouldn't find socialsub: %s" % user_id) continue if not multiple: sub_user = User.objects.get(pk=sub.subscription_user_id) logging.user(request, "~FMMarking social feed as read: ~SB%s" % (sub_user.username,)) else: try: feed = Feed.objects.get(id=feed_id) sub = UserSubscription.objects.get(feed=feed, user=request.user) if not multiple: logging.user(request, "~FMMarking feed as read: ~SB%s" % (feed,)) except (Feed.DoesNotExist, UserSubscription.DoesNotExist), e: errors.append("User not subscribed: %s" % e) continue except (ValueError), e: errors.append("Invalid feed_id: %s" % e) continue if not sub: errors.append("User not subscribed: %s" % feed_id) continue try: if direction == "older": marked_read = sub.mark_feed_read(cutoff_date=cutoff_date) else: marked_read = sub.mark_newer_stories_read(cutoff_date=cutoff_date) if marked_read and not multiple: r.publish(request.user.username, 'feed:%s' % feed_id) except IntegrityError, e: errors.append("Could not mark feed as read: %s" % e) code = -1 if multiple: logging.user(request, "~FMMarking ~SB%s~SN feeds as read" % len(feed_ids)) r.publish(request.user.username, 'refresh:%s' % ','.join(feed_ids)) if errors: logging.user(request, "~FMMarking read had errors: ~FR%s" % errors) return dict(code=code, errors=errors, cutoff_date=cutoff_date, direction=direction) def _parse_user_info(user): return { 'user_info': { 'is_anonymous': json.encode(user.is_anonymous()), 'is_authenticated': json.encode(user.is_authenticated()), 'username': json.encode(user.username if user.is_authenticated() else 'Anonymous') } } @ajax_login_required @json.json_view def add_url(request): code = 0 url = request.POST['url'] folder = request.POST.get('folder', '') new_folder = request.POST.get('new_folder') auto_active = is_true(request.POST.get('auto_active', 1)) skip_fetch = is_true(request.POST.get('skip_fetch', False)) feed = None if not url: code = -1 message = 'Enter in the website address or the feed URL.' elif any([(banned_url in url) for banned_url in BANNED_URLS]): code = -1 message = "The publisher of this website has banned NewsBlur." else: if new_folder: usf, _ = UserSubscriptionFolders.objects.get_or_create(user=request.user) usf.add_folder(folder, new_folder) folder = new_folder code, message, us = UserSubscription.add_subscription(user=request.user, feed_address=url, folder=folder, auto_active=auto_active, skip_fetch=skip_fetch) feed = us and us.feed if feed: r = redis.Redis(connection_pool=settings.REDIS_PUBSUB_POOL) r.publish(request.user.username, 'reload:%s' % feed.pk) MUserSearch.schedule_index_feeds_for_search(feed.pk, request.user.pk) return dict(code=code, message=message, feed=feed) @ajax_login_required @json.json_view def add_folder(request): folder = request.POST['folder'] parent_folder = request.POST.get('parent_folder', '') folders = None logging.user(request, "~FRAdding Folder: ~SB%s (in %s)" % (folder, parent_folder)) if folder: code = 1 message = "" user_sub_folders_object, _ = UserSubscriptionFolders.objects.get_or_create(user=request.user) user_sub_folders_object.add_folder(parent_folder, folder) folders = json.decode(user_sub_folders_object.folders) r = redis.Redis(connection_pool=settings.REDIS_PUBSUB_POOL) r.publish(request.user.username, 'reload:feeds') else: code = -1 message = "Gotta write in a folder name." return dict(code=code, message=message, folders=folders) @ajax_login_required @json.json_view def delete_feed(request): feed_id = int(request.POST['feed_id']) in_folder = request.POST.get('in_folder', None) if not in_folder or in_folder == ' ': in_folder = "" user_sub_folders = get_object_or_404(UserSubscriptionFolders, user=request.user) user_sub_folders.delete_feed(feed_id, in_folder) feed = Feed.objects.filter(pk=feed_id) if feed: feed[0].count_subscribers() r = redis.Redis(connection_pool=settings.REDIS_PUBSUB_POOL) r.publish(request.user.username, 'reload:feeds') return dict(code=1, message="Removed %s from '%s'." % (feed, in_folder)) @ajax_login_required @json.json_view def delete_feed_by_url(request): message = "" code = 0 url = request.POST['url'] in_folder = request.POST.get('in_folder', '') if in_folder == ' ': in_folder = "" feed = Feed.get_feed_from_url(url, create=False) if feed: user_sub_folders = get_object_or_404(UserSubscriptionFolders, user=request.user) user_sub_folders.delete_feed(feed.pk, in_folder) code = 1 feed = Feed.objects.filter(pk=feed.pk) if feed: feed[0].count_subscribers() else: code = -1 message = "URL not found." return dict(code=code, message=message) @ajax_login_required @json.json_view def delete_folder(request): folder_to_delete = request.POST.get('folder_name') or request.POST.get('folder_to_delete') in_folder = request.POST.get('in_folder', None) feed_ids_in_folder = [int(f) for f in request.REQUEST.getlist('feed_id') if f] request.user.profile.send_opml_export_email(reason="You have deleted an entire folder of feeds, so here's a backup just in case.") # Works piss poor with duplicate folder titles, if they are both in the same folder. # Deletes all, but only in the same folder parent. But nobody should be doing that, right? user_sub_folders = get_object_or_404(UserSubscriptionFolders, user=request.user) user_sub_folders.delete_folder(folder_to_delete, in_folder, feed_ids_in_folder) folders = json.decode(user_sub_folders.folders) r = redis.Redis(connection_pool=settings.REDIS_PUBSUB_POOL) r.publish(request.user.username, 'reload:feeds') return dict(code=1, folders=folders) @required_params('feeds_by_folder') @ajax_login_required @json.json_view def delete_feeds_by_folder(request): feeds_by_folder = json.decode(request.POST['feeds_by_folder']) request.user.profile.send_opml_export_email(reason="You have deleted a number of feeds at once, so here's a backup just in case.") # Works piss poor with duplicate folder titles, if they are both in the same folder. # Deletes all, but only in the same folder parent. But nobody should be doing that, right? user_sub_folders = get_object_or_404(UserSubscriptionFolders, user=request.user) user_sub_folders.delete_feeds_by_folder(feeds_by_folder) folders = json.decode(user_sub_folders.folders) r = redis.Redis(connection_pool=settings.REDIS_PUBSUB_POOL) r.publish(request.user.username, 'reload:feeds') return dict(code=1, folders=folders) @ajax_login_required @json.json_view def rename_feed(request): feed = get_object_or_404(Feed, pk=int(request.POST['feed_id'])) user_sub = UserSubscription.objects.get(user=request.user, feed=feed) feed_title = request.POST['feed_title'] logging.user(request, "~FRRenaming feed '~SB%s~SN' to: ~SB%s" % ( feed.feed_title, feed_title)) user_sub.user_title = feed_title user_sub.save() return dict(code=1) @ajax_login_required @json.json_view def rename_folder(request): folder_to_rename = request.POST.get('folder_name') or request.POST.get('folder_to_rename') new_folder_name = request.POST['new_folder_name'] in_folder = request.POST.get('in_folder', '') code = 0 # Works piss poor with duplicate folder titles, if they are both in the same folder. # renames all, but only in the same folder parent. But nobody should be doing that, right? if folder_to_rename and new_folder_name: user_sub_folders = get_object_or_404(UserSubscriptionFolders, user=request.user) user_sub_folders.rename_folder(folder_to_rename, new_folder_name, in_folder) code = 1 else: code = -1 return dict(code=code) @ajax_login_required @json.json_view def move_feed_to_folders(request): feed_id = int(request.POST['feed_id']) in_folders = request.POST.getlist('in_folders', '') to_folders = request.POST.getlist('to_folders', '') user_sub_folders = get_object_or_404(UserSubscriptionFolders, user=request.user) user_sub_folders = user_sub_folders.move_feed_to_folders(feed_id, in_folders=in_folders, to_folders=to_folders) r = redis.Redis(connection_pool=settings.REDIS_PUBSUB_POOL) r.publish(request.user.username, 'reload:feeds') return dict(code=1, folders=json.decode(user_sub_folders.folders)) @ajax_login_required @json.json_view def move_feed_to_folder(request): feed_id = int(request.POST['feed_id']) in_folder = request.POST.get('in_folder', '') to_folder = request.POST.get('to_folder', '') user_sub_folders = get_object_or_404(UserSubscriptionFolders, user=request.user) user_sub_folders = user_sub_folders.move_feed_to_folder(feed_id, in_folder=in_folder, to_folder=to_folder) r = redis.Redis(connection_pool=settings.REDIS_PUBSUB_POOL) r.publish(request.user.username, 'reload:feeds') return dict(code=1, folders=json.decode(user_sub_folders.folders)) @ajax_login_required @json.json_view def move_folder_to_folder(request): folder_name = request.POST['folder_name'] in_folder = request.POST.get('in_folder', '') to_folder = request.POST.get('to_folder', '') user_sub_folders = get_object_or_404(UserSubscriptionFolders, user=request.user) user_sub_folders = user_sub_folders.move_folder_to_folder(folder_name, in_folder=in_folder, to_folder=to_folder) r = redis.Redis(connection_pool=settings.REDIS_PUBSUB_POOL) r.publish(request.user.username, 'reload:feeds') return dict(code=1, folders=json.decode(user_sub_folders.folders)) @required_params('feeds_by_folder', 'to_folder') @ajax_login_required @json.json_view def move_feeds_by_folder_to_folder(request): feeds_by_folder = json.decode(request.POST['feeds_by_folder']) to_folder = request.POST['to_folder'] new_folder = request.POST.get('new_folder', None) request.user.profile.send_opml_export_email(reason="You have moved a number of feeds at once, so here's a backup just in case.") user_sub_folders = get_object_or_404(UserSubscriptionFolders, user=request.user) if new_folder: user_sub_folders.add_folder(to_folder, new_folder) to_folder = new_folder user_sub_folders = user_sub_folders.move_feeds_by_folder_to_folder(feeds_by_folder, to_folder) r = redis.Redis(connection_pool=settings.REDIS_PUBSUB_POOL) r.publish(request.user.username, 'reload:feeds') return dict(code=1, folders=json.decode(user_sub_folders.folders)) @login_required def add_feature(request): if not request.user.is_staff: return HttpResponseForbidden() code = -1 form = FeatureForm(request.POST) if form.is_valid(): form.save() code = 1 return HttpResponseRedirect(reverse('index')) return dict(code=code) @json.json_view def load_features(request): user = get_user(request) page = max(int(request.REQUEST.get('page', 0)), 0) logging.user(request, "~FBBrowse features: ~SBPage #%s" % (page+1)) features = Feature.objects.all()[page*3:(page+1)*3+1].values() features = [{ 'description': f['description'], 'date': localtime_for_timezone(f['date'], user.profile.timezone).strftime("%b %d, %Y") } for f in features] return features @ajax_login_required @json.json_view def save_feed_order(request): folders = request.POST.get('folders') if folders: # Test that folders can be JSON decoded folders_list = json.decode(folders) assert folders_list is not None logging.user(request, "~FBFeed re-ordering: ~SB%s folders/feeds" % (len(folders_list))) user_sub_folders = UserSubscriptionFolders.objects.get(user=request.user) user_sub_folders.folders = folders user_sub_folders.save() return {} @json.json_view def feeds_trainer(request): classifiers = [] feed_id = request.REQUEST.get('feed_id') user = get_user(request) usersubs = UserSubscription.objects.filter(user=user, active=True) if feed_id: feed = get_object_or_404(Feed, pk=feed_id) usersubs = usersubs.filter(feed=feed) usersubs = usersubs.select_related('feed').order_by('-feed__stories_last_month') for us in usersubs: if (not us.is_trained and us.feed.stories_last_month > 0) or feed_id: classifier = dict() classifier['classifiers'] = get_classifiers_for_user(user, feed_id=us.feed.pk) classifier['feed_id'] = us.feed_id classifier['stories_last_month'] = us.feed.stories_last_month classifier['num_subscribers'] = us.feed.num_subscribers classifier['feed_tags'] = json.decode(us.feed.data.popular_tags) if us.feed.data.popular_tags else [] classifier['feed_authors'] = json.decode(us.feed.data.popular_authors) if us.feed.data.popular_authors else [] classifiers.append(classifier) user.profile.has_trained_intelligence = True user.profile.save() logging.user(user, "~FGLoading Trainer: ~SB%s feeds" % (len(classifiers))) return classifiers @ajax_login_required @json.json_view def save_feed_chooser(request): is_premium = request.user.profile.is_premium approved_feeds = [int(feed_id) for feed_id in request.POST.getlist('approved_feeds') if feed_id] if not is_premium: approved_feeds = approved_feeds[:64] activated = 0 usersubs = UserSubscription.objects.filter(user=request.user) for sub in usersubs: try: if sub.feed_id in approved_feeds: activated += 1 if not sub.active: sub.active = True sub.save() if sub.feed.active_subscribers <= 0: sub.feed.count_subscribers() elif sub.active: sub.active = False sub.save() except Feed.DoesNotExist: pass request.user.profile.queue_new_feeds() request.user.profile.refresh_stale_feeds(exclude_new=True) r = redis.Redis(connection_pool=settings.REDIS_PUBSUB_POOL) r.publish(request.user.username, 'reload:feeds') logging.user(request, "~BB~FW~SBFeed chooser: ~FC%s~SN/~SB%s" % ( activated, usersubs.count() )) return {'activated': activated} @ajax_login_required def retrain_all_sites(request): for sub in UserSubscription.objects.filter(user=request.user): sub.is_trained = False sub.save() return feeds_trainer(request) @login_required def activate_premium_account(request): try: usersubs = UserSubscription.objects.select_related('feed').filter(user=request.user) for sub in usersubs: sub.active = True sub.save() if sub.feed.premium_subscribers <= 0: sub.feed.count_subscribers() sub.feed.schedule_feed_fetch_immediately() except Exception, e: subject = "Premium activation failed" message = "%s -- %s\n\n%s" % (request.user, usersubs, e) mail_admins(subject, message, fail_silently=True) request.user.profile.is_premium = True request.user.profile.save() return HttpResponseRedirect(reverse('index')) @login_required def login_as(request): if not request.user.is_staff: logging.user(request, "~SKNON-STAFF LOGGING IN AS ANOTHER USER!") assert False return HttpResponseForbidden() username = request.GET['user'] user = get_object_or_404(User, username__iexact=username) user.backend = settings.AUTHENTICATION_BACKENDS[0] login_user(request, user) return HttpResponseRedirect(reverse('index')) def iframe_buster(request): logging.user(request, "~FB~SBiFrame bust!") return HttpResponse(status=204) @required_params('story_id', feed_id=int) @ajax_login_required @json.json_view def mark_story_as_starred(request): return _mark_story_as_starred(request) @required_params('story_hash') @ajax_login_required @json.json_view def mark_story_hash_as_starred(request): return _mark_story_as_starred(request) def _mark_story_as_starred(request): code = 1 feed_id = int(request.REQUEST.get('feed_id', 0)) story_id = request.REQUEST.get('story_id', None) story_hash = request.REQUEST.get('story_hash', None) user_tags = request.REQUEST.getlist('user_tags') message = "" if story_hash: story, _ = MStory.find_story(story_hash=story_hash) feed_id = story and story.story_feed_id else: story, _ = MStory.find_story(story_feed_id=feed_id, story_id=story_id) if not story: return {'code': -1, 'message': "Could not find story to save."} story_db = dict([(k, v) for k, v in story._data.items() if k is not None and v is not None]) story_db.pop('user_id', None) story_db.pop('starred_date', None) story_db.pop('id', None) story_db.pop('user_tags', None) now = datetime.datetime.now() story_values = dict(starred_date=now, user_tags=user_tags, **story_db) params = dict(story_guid=story.story_guid, user_id=request.user.pk) starred_story = MStarredStory.objects(**params).limit(1) created = False removed_user_tags = [] if not starred_story: params.update(story_values) starred_story = MStarredStory.objects.create(**params) created = True MActivity.new_starred_story(user_id=request.user.pk, story_title=story.story_title, story_feed_id=feed_id, story_id=starred_story.story_guid) new_user_tags = user_tags MStarredStoryCounts.adjust_count(request.user.pk, feed_id=feed_id, amount=1) else: starred_story = starred_story[0] new_user_tags = list(set(user_tags) - set(starred_story.user_tags or [])) removed_user_tags = list(set(starred_story.user_tags or []) - set(user_tags)) starred_story.user_tags = user_tags starred_story.save() for tag in new_user_tags: MStarredStoryCounts.adjust_count(request.user.pk, tag=tag, amount=1) for tag in removed_user_tags: MStarredStoryCounts.adjust_count(request.user.pk, tag=tag, amount=-1) if random.random() < 0.01: MStarredStoryCounts.schedule_count_tags_for_user(request.user.pk) MStarredStoryCounts.count_for_user(request.user.pk, total_only=True) starred_counts, starred_count = MStarredStoryCounts.user_counts(request.user.pk, include_total=True) if not starred_count and len(starred_counts): starred_count = MStarredStory.objects(user_id=request.user.pk).count() if created: logging.user(request, "~FCStarring: ~SB%s (~FM~SB%s~FC~SN)" % (story.story_title[:32], starred_story.user_tags)) else: logging.user(request, "~FCUpdating starred:~SN~FC ~SB%s~SN (~FM~SB%s~FC~SN)" % (story.story_title[:32], starred_story.user_tags)) return {'code': code, 'message': message, 'starred_count': starred_count, 'starred_counts': starred_counts} @required_params('story_id') @ajax_login_required @json.json_view def mark_story_as_unstarred(request): return _mark_story_as_unstarred(request) @required_params('story_hash') @ajax_login_required @json.json_view def mark_story_hash_as_unstarred(request): return _mark_story_as_unstarred(request) def _mark_story_as_unstarred(request): code = 1 story_id = request.POST.get('story_id', None) story_hash = request.REQUEST.get('story_hash', None) starred_counts = None starred_story = None if story_id: starred_story = MStarredStory.objects(user_id=request.user.pk, story_guid=story_id) if not story_id or not starred_story: starred_story = MStarredStory.objects(user_id=request.user.pk, story_hash=story_hash or story_id) if starred_story: starred_story = starred_story[0] logging.user(request, "~FCUnstarring: ~SB%s" % (starred_story.story_title[:50])) user_tags = starred_story.user_tags feed_id = starred_story.story_feed_id MActivity.remove_starred_story(user_id=request.user.pk, story_feed_id=starred_story.story_feed_id, story_id=starred_story.story_guid) starred_story.user_id = 0 try: starred_story.save() except NotUniqueError: starred_story.delete() MStarredStoryCounts.adjust_count(request.user.pk, feed_id=feed_id, amount=-1) for tag in user_tags: try: MStarredStoryCounts.adjust_count(request.user.pk, tag=tag, amount=-1) except MStarredStoryCounts.DoesNotExist: pass # MStarredStoryCounts.schedule_count_tags_for_user(request.user.pk) MStarredStoryCounts.count_for_user(request.user.pk, total_only=True) starred_counts = MStarredStoryCounts.user_counts(request.user.pk) else: code = -1 return {'code': code, 'starred_counts': starred_counts} @ajax_login_required @json.json_view def send_story_email(request): code = 1 message = 'OK' story_id = request.POST['story_id'] feed_id = request.POST['feed_id'] to_addresses = request.POST.get('to', '').replace(',', ' ').replace(' ', ' ').strip().split(' ') from_name = request.POST['from_name'] from_email = request.POST['from_email'] email_cc = is_true(request.POST.get('email_cc', 'true')) comments = request.POST['comments'] comments = comments[:2048] # Separated due to PyLint from_address = 'share@newsblur.com' share_user_profile = MSocialProfile.get_user(request.user.pk) if not to_addresses: code = -1 message = 'Please provide at least one email address.' elif not all(email_re.match(to_address) for to_address in to_addresses if to_addresses): code = -1 message = 'You need to send the email to a valid email address.' elif not email_re.match(from_email): code = -1 message = 'You need to provide your email address.' elif not from_name: code = -1 message = 'You need to provide your name.' else: story, _ = MStory.find_story(feed_id, story_id) story = Feed.format_story(story, feed_id, text=True) feed = Feed.get_by_id(story['story_feed_id']) params = { "to_addresses": to_addresses, "from_name": from_name, "from_email": from_email, "email_cc": email_cc, "comments": comments, "from_address": from_address, "story": story, "feed": feed, "share_user_profile": share_user_profile, } text = render_to_string('mail/email_story.txt', params) html = render_to_string('mail/email_story.xhtml', params) subject = '%s' % (story['story_title']) cc = None if email_cc: cc = ['%s <%s>' % (from_name, from_email)] subject = subject.replace('\n', ' ') msg = EmailMultiAlternatives(subject, text, from_email='NewsBlur <%s>' % from_address, to=to_addresses, cc=cc, headers={'Reply-To': '%s <%s>' % (from_name, from_email)}) msg.attach_alternative(html, "text/html") try: msg.send() except boto.ses.connection.ResponseError, e: code = -1 message = "Email error: %s" % str(e) logging.user(request, '~BMSharing story by email to %s recipient%s: ~FY~SB%s~SN~BM~FY/~SB%s' % (len(to_addresses), '' if len(to_addresses) == 1 else 's', story['story_title'][:50], feed and feed.feed_title[:50])) return {'code': code, 'message': message} @json.json_view def load_tutorial(request): if request.REQUEST.get('finished'): logging.user(request, '~BY~FW~SBFinishing Tutorial') return {} else: newsblur_feed = Feed.objects.filter(feed_address__icontains='blog.newsblur.com').order_by('-pk')[0] logging.user(request, '~BY~FW~SBLoading Tutorial') return { 'newsblur_feed': newsblur_feed.canonical() }
slava-sh/NewsBlur
apps/reader/views.py
Python
mit
95,205
<!doctype html> <!--[if lt IE 7]><html class="no-js lt-ie9 lt-ie8 lt-ie7" lang="en"> <![endif]--> <!--[if (IE 7)&!(IEMobile)]><html class="no-js lt-ie9 lt-ie8" lang="en"><![endif]--> <!--[if (IE 8)&!(IEMobile)]><html class="no-js lt-ie9" lang="en"><![endif]--> <!--[if gt IE 8]><!--> <html class="no-js" lang="en"><!--<![endif]--> <head> {% include head.html %} </head> <body id="post"> {% include navigation.html %} <div id="main" role="main"> <article class="hentry"> <img src="{{ site.url }}/images/sheep-land3.jpg" class="entry-feature-image" alt="{{ page.title }}" {% if site.logo == null %}style="margin-top:0;"{% endif %}><p class="image-credit">Photo Credit: <a href="http://jiachengpark.appspot.com">Jiacheng park</a> <div class="entry-wrapper"> <header class="entry-header"> <span class="entry-tags">{% for tag in page.tags %}<a href="{{ site.url }}/tags/#{{ tag | cgi_encode }}" title="Pages tagged {{ tag }}">{{ tag }}</a>{% unless forloop.last %}&nbsp;&bull;&nbsp;{% endunless %}{% endfor %}</span> {% if page.link %} <h1 class="entry-title"><a href="{{ page.link }}">{% if page.headline %}{{ page.headline }}{% else %}{{ page.title }}{% endif %} <span class="link-arrow">&rarr;</span></a></h1> {% else %} <h1 class="entry-title">{% if page.headline %}{{ page.headline }}{% else %}{{ page.title }}{% endif %}</h1> {% endif %} </header> <footer class="entry-meta"> <img src="{{ site.url }}/images/{{ site.owner.avatar }}" alt="{{ site.owner.name }} photo" class="author-photo"> <span class="author vcard">By <span class="fn"><a href="{{ site.url }}/about/" title="About {{ site.owner.name }}">{{ site.owner.name }}</a></span></span> <span class="entry-date date published"><time datetime="{{ page.date | date_to_xmlschema }}"><i class="icon-calendar-empty"></i> {{ page.date | date: "%B %d, %Y" }}</time></span> {% if page.modified %}<span class="entry-date date modified"><time datetime="{{ page.modified }}"><i class="icon-pencil"></i> {{ page.modified | date: "%B %d, %Y" }}</time></span>{% endif %} {% if site.disqus_shortname and page.comments %}<span class="entry-comments"><i class="icon-comment-alt"></i> <a href="{{ site.url }}{{ page.url }}#disqus_thread">Comment</a></span>{% endif %} <span><a href="{{ site.url }}{{ page.url }}" rel="bookmark" title="{{ page.title }}"><i class="icon-link"></i> Permalink</a></span> {% if page.share %} <span class="social-share-facebook"> <a href="https://www.facebook.com/sharer/sharer.php?u={{ site.url }}{{ page.url }}" title="Share on Facebook" itemprop="Facebook" target="_blank"><i class="icon-facebook-sign"></i> Like</a></span> <span class="social-share-twitter"> <a href="https://twitter.com/intent/tweet?hashtags={{ page.categories | join: ',' }}&text={{ page.title }}&url={{ site.url }}{{ page.url }}&via={{site.owner.twitter}}" title="Share on Twitter" itemprop="Twitter" target="_blank"><i class="icon-twitter-sign"></i> Tweet</a></span> <span class="social-share-googleplus"> <a href="https://plus.google.com/share?url={{ site.url }}{{ page.url }}" title="Share on Google Plus" itemprop="GooglePlus" target="_blank"><i class="icon-google-plus-sign"></i> +1</a></span> <!-- /.social-share -->{% endif %} </footer> <div class="entry-content"> {{ content }} {% if site.disqus_shortname and page.comments %}<div id="disqus_thread"></div> {% include disqus_comments.html %} <!-- /#disqus_thread -->{% endif %} </div><!-- /.entry-content --> <div class="entry-top"> <i class="icon-arrow-up icon-2x"></i> </div><!-- /.entry-top --> </div><!-- /.entry-wrapper --> <nav class="pagination" role="navigation"> {% if page.previous %} <a href="{{ site.url }}{{ page.previous.url }}" class="btn" title="{{ page.previous.title }}">Previous article</a> {% endif %} {% if page.next %} <a href="{{ site.url }}{{ page.next.url }}" class="btn" title="{{ page.next.title }}">Next article</a> {% endif %} </nav><!-- /.pagination --> </article> </div><!-- /#main --> <div class="footer-wrapper"> <footer role="contentinfo"> {% include footer.html %} </footer> </div><!-- /.footer-wrapper --> {% include scripts.html %} </body> </html>
JiachengSHI/JiachengSHI.github.io
_layouts/post.html
HTML
mit
4,430
const determineTestFilesToRun = ({ inputFile, inputArgs = [], config }) => { const path = require("path"); const fs = require("fs"); const glob = require("glob"); let filesToRun = []; if (inputFile) { filesToRun.push(inputFile); } else if (inputArgs.length > 0) { inputArgs.forEach(inputArg => filesToRun.push(inputArg)); } if (filesToRun.length === 0) { const directoryContents = glob.sync( `${config.test_directory}${path.sep}**${path.sep}*` ); filesToRun = directoryContents.filter(item => fs.statSync(item).isFile()) || []; } return filesToRun.filter(file => { return file.match(config.test_file_extension_regexp) !== null; }); }; module.exports = { determineTestFilesToRun };
ConsenSys/truffle
packages/core/lib/commands/test/determineTestFilesToRun.js
JavaScript
mit
744
// nodejs按行读取文件流 var Stream = require('stream').Stream, util = require('util'); var LineStream = function() { this.writable = true; this.readable = true; this.buffer = ''; }; util.inherits(LineStream, Stream); LineStream.prototype.write = function(data, encoding) { if (Buffer.isBuffer(data)) { data = data.toString(encoding || 'utf8'); } var parts = data.split(/\n/g); var len = parts.length; for (var i = 0; i < len; i++) { this.emit('data', parts[i]+'\n'); } }; LineStream.prototype.end = function() { if(this.buffer.length > 0){ this.emit('data',this.buffer); this.buffer = ''; } this.emit('end'); }; module.exports = LineStream;
SBFE/js-combine-pack
lib/tool/lineStream.js
JavaScript
mit
680
using LibrarySystem.Models; using Microsoft.AspNet.Identity; using Microsoft.AspNet.Identity.EntityFramework; using System; using System.Collections.Generic; using System.Linq; namespace LibrarySystem.Account { public partial class Manage : System.Web.UI.Page { protected string SuccessMessage { get; private set; } protected bool CanRemoveExternalLogins { get; private set; } protected void Page_Load() { if (!IsPostBack) { // Determine the sections to render ILoginManager manager = new IdentityManager(new IdentityStore(new ApplicationDbContext())).Logins; if (manager.HasLocalLogin(User.Identity.GetUserId())) { changePasswordHolder.Visible = true; } else { setPassword.Visible = true; changePasswordHolder.Visible = false; } CanRemoveExternalLogins = manager.GetLogins(User.Identity.GetUserId()).Count() > 1; // Render success message var message = Request.QueryString["m"]; if (message != null) { // Strip the query string from action Form.Action = ResolveUrl("~/Account/Manage"); SuccessMessage = message == "ChangePwdSuccess" ? "Your password has been changed." : message == "SetPwdSuccess" ? "Your password has been set." : message == "RemoveLoginSuccess" ? "The account was removed." : String.Empty; successMessage.Visible = !String.IsNullOrEmpty(SuccessMessage); } } } protected void ChangePassword_Click(object sender, EventArgs e) { if (IsValid) { IPasswordManager manager = new IdentityManager(new IdentityStore(new ApplicationDbContext())).Passwords; IdentityResult result = manager.ChangePassword(User.Identity.GetUserName(), CurrentPassword.Text, NewPassword.Text); if (result.Success) { Response.Redirect("~/Account/Manage?m=ChangePwdSuccess"); } else { AddErrors(result); } } } protected void SetPassword_Click(object sender, EventArgs e) { if (IsValid) { // Create the local login info and link the local account to the user ILoginManager manager = new IdentityManager(new IdentityStore(new ApplicationDbContext())).Logins; IdentityResult result = manager.AddLocalLogin(User.Identity.GetUserId(), User.Identity.GetUserName(), password.Text); if (result.Success) { Response.Redirect("~/Account/Manage?m=SetPwdSuccess"); } else { AddErrors(result); } } } public IEnumerable<IUserLogin> GetLogins() { ILoginManager manager = new IdentityManager(new IdentityStore(new ApplicationDbContext())).Logins; var accounts = manager.GetLogins(User.Identity.GetUserId()); CanRemoveExternalLogins = accounts.Count() > 1; return accounts; } public void RemoveLogin(string loginProvider, string providerKey) { ILoginManager manager = new IdentityManager(new IdentityStore(new ApplicationDbContext())).Logins; var result = manager.RemoveLogin(User.Identity.GetUserId(), loginProvider, providerKey); var msg = result.Success ? "?m=RemoveLoginSuccess" : String.Empty; Response.Redirect("~/Account/Manage" + msg); } private void AddErrors(IdentityResult result) { foreach (var error in result.Errors) { ModelState.AddModelError("", error); } } } }
krasimirkrustev/ta-library-system
LibrarySystem/LibrarySystem/Account/Manage.aspx.cs
C#
mit
4,298
__author__ = "Guillaume" __license__ = "MIT" __copyright__ = "2015, ESRF" import numpy from freesas.model import SASModel class Grid: """ This class is used to create a grid which include all the input models """ def __init__(self, inputfiles): """ :param inputfiles: list of pdb files needed for averaging """ self.inputs = inputfiles self.size = [] self.nbknots = None self.radius = None self.coordknots = [] def __repr__(self): return "Grid with %i knots"%self.nbknots def spatial_extent(self): """ Calculate the maximal extent of input models :return self.size: 6-list with x,y,z max and then x,y,z min """ atoms = [] models_fineness = [] for files in self.inputs: m = SASModel(files) if len(atoms)==0: atoms = m.atoms else: atoms = numpy.append(atoms, m.atoms, axis=0) models_fineness.append(m.fineness) mean_fineness = sum(models_fineness) / len(models_fineness) coordmin = atoms.min(axis=0) - mean_fineness coordmax = atoms.max(axis=0) + mean_fineness self.size = [coordmax[0],coordmax[1],coordmax[2],coordmin[0],coordmin[1],coordmin[2]] return self.size def calc_radius(self, nbknots=None): """ Calculate the radius of each point of a hexagonal close-packed grid, knowing the total volume and the number of knots in this grid. :param nbknots: number of knots wanted for the grid :return radius: the radius of each knot of the grid """ if len(self.size)==0: self.spatial_extent() nbknots = nbknots if nbknots is not None else 5000 size = self.size dx = size[0] - size[3] dy = size[1] - size[4] dz = size[2] - size[5] volume = dx * dy * dz density = numpy.pi / (3*2**0.5) radius = ((3 /( 4 * numpy.pi)) * density * volume / nbknots)**(1.0/3) self.radius = radius return radius def make_grid(self): """ Create a grid using the maximal size and the radius previously computed. The geometry used is a face-centered cubic lattice (fcc). :return knots: 2d-array, coordinates of each dot of the grid. Saved as self.coordknots. """ if len(self.size)==0: self.spatial_extent() if self.radius is None: self.calc_radius() radius = self.radius a = numpy.sqrt(2.0)*radius xmax = self.size[0] xmin = self.size[3] ymax = self.size[1] ymin = self.size[4] zmax = self.size[2] zmin = self.size[5] x = 0.0 y = 0.0 z = 0.0 xlist = [] ylist = [] zlist = [] knots = numpy.empty((1,4), dtype="float") while (zmin + z) <= zmax: zlist.append(z) z += a while (ymin + y) <= ymax: ylist.append(y) y += a while (xmin + x) <= xmax: xlist.append(x) x += a for i in range(len(zlist)): z = zlist[i] if i % 2 ==0: for j in range(len(xlist)): x = xlist[j] if j % 2 == 0: for y in ylist[0:-1:2]: knots = numpy.append(knots, [[xmin+x, ymin+y, zmin+z, 0.0]], axis=0) else: for y in ylist[1:-1:2]: knots = numpy.append(knots, [[xmin+x, ymin+y, zmin+z, 0.0]], axis=0) else: for j in range(len(xlist)): x = xlist[j] if j % 2 == 0: for y in ylist[1:-1:2]: knots = numpy.append(knots, [[xmin+x, ymin+y, zmin+z, 0.0]], axis=0) else: for y in ylist[0:-1:2]: knots = numpy.append(knots, [[xmin+x, ymin+y, zmin+z, 0.0]], axis=0) knots = numpy.delete(knots, 0, axis=0) self.nbknots = knots.shape[0] self.coordknots = knots return knots class AverModels(): """ Provides tools to create an averaged models using several aligned dummy atom models """ def __init__(self, inputfiles, grid): """ :param inputfiles: list of pdb files of aligned models :param grid: 2d-array coordinates of each point of a grid, fourth column full of zeros """ self.inputfiles = inputfiles self.models = [] self.header = [] self.radius = None self.atoms = [] self.grid = grid def __repr__(self): return "Average SAS model with %i atoms"%len(self.atoms) def read_files(self, reference=None): """ Read all the pdb file in the inputfiles list, creating SASModels. The SASModels created are save in a list, the reference model is the first model in the list. :param reference: position of the reference model file in the inputfiles list """ ref = reference if reference is not None else 0 inputfiles = self.inputfiles models = [] models.append(SASModel(inputfiles[ref])) for i in range(len(inputfiles)): if i==ref: continue else: models.append(SASModel(inputfiles[i])) self.models = models return models def calc_occupancy(self, griddot): """ Assign an occupancy and a contribution factor to the point of the grid. :param griddot: 1d-array, coordinates of a point of the grid :return tuple: 2-tuple containing (occupancy, contribution) """ occ = 0.0 contrib = 0 for model in self.models: f = model.fineness for i in range(model.atoms.shape[0]): dx = model.atoms[i, 0] - griddot[0] dy = model.atoms[i, 1] - griddot[1] dz = model.atoms[i, 2] - griddot[2] dist = dx * dx + dy * dy + dz * dz add = max(1 - (dist / f), 0) if add != 0: contrib += 1 occ += add return occ, contrib def assign_occupancy(self): """ For each point of the grid, total occupancy and contribution factor are computed and saved. The grid is then ordered with decreasing value of occupancy. The fourth column of the array correspond to the occupancy of the point and the fifth to the contribution for this point. :return sortedgrid: 2d-array, coordinates of each point of the grid """ grid = self.grid nbknots = grid.shape[0] grid = numpy.append(grid, numpy.zeros((nbknots, 1), dtype="float"), axis=1) for i in range(nbknots): occ, contrib = self.calc_occupancy(grid[i, 0:3]) grid[i, 3] = occ grid[i, 4] = contrib order = numpy.argsort(grid, axis=0)[:, -2] sortedgrid = numpy.empty_like(grid) for i in range(nbknots): sortedgrid[nbknots - i - 1, :] = grid[order[i], :] return sortedgrid def make_header(self): """ Create the layout of the pdb file for the averaged model. """ header = [] header.append("Number of files averaged : %s\n"%len(self.inputfiles)) for i in self.inputfiles: header.append(i + "\n") header.append("Total number of dots in the grid : %s\n"%self.grid.shape[0]) decade = 1 for i in range(self.grid.shape[0]): line = "ATOM CA ASP 1 20.00 2 201\n" line = line[:7] + "%4.i"%(i + 1) + line[11:] if not (i + 1) % 10: decade += 1 line = line[:21] + "%4.i"%decade + line[25:] header.append(line) self.header = header return header def save_aver(self, filename): """ Save the position of each occupied dot of the grid, its occupancy and its contribution in a pdb file. :param filename: name of the pdb file to write """ if len(self.header) == 0: self.make_header() assert self.grid.shape[-1] == 5 nr = 0 with open(filename, "w") as pdbout: for line in self.header: if line.startswith("ATOM"): if nr < self.grid.shape[0] and self.grid[nr, 4] != 0: coord = "%8.3f%8.3f%8.3f" % tuple(self.grid[nr, 0:3]) occ = "%6.2f" % self.grid[nr, 3] contrib = "%2.f" % self.grid[nr, 4] line = line[:30] + coord + occ + line[60:66] + contrib + line[68:] else: line = "" nr += 1 pdbout.write(line)
kif/freesas
freesas/average.py
Python
mit
9,116
// Based on "Design Patterns: Elements of Reusable Object-Oriented Software" // book by Erich Gamma, John Vlissides, Ralph Johnson, and Richard Helm // // Created by Bartosz Rachwal. The National Institute of Advanced Industrial Science and Technology, Japan. #include "btree.h" namespace structural { namespace flyweight { BTree::BTree(long size) : size_(size) { leafs_ = new operational::iterator::List<Font*>(); nodes_ = new int[size_]; for (auto i = 0; i < size_; i++) { nodes_[i] = -1; } } BTree::BTree() : BTree(1000) { } void BTree::Set(Font* font, const int& index, const int& span) const { auto font_index = -1; for (auto i = 0; i < leafs_->Count(); i++) { if (&leafs_->Get(i) == &font) { font_index = i; } } if (font_index == -1) { leafs_->Append(font); font_index = leafs_->Count() - 1; } for (auto j = index; j < index + span; j++) { nodes_[j] = font_index; } } Font *BTree::Get(int index) const { if (index > size_) { return nullptr; } auto font_index = nodes_[index]; if (font_index == -1) { return nullptr; } return leafs_->Get(font_index); } } }
rachwal/DesignPatterns
structural/src/flyweight/btree.cc
C++
mit
1,119
# OpenMultiplayerRobot This is a work in progress. ## Install ```bash npm install npm install -g typings gulp typings install gulp npm start ``` ## Credits - Developed by [Andreas Carlson](http://andreascarlson.se) Thanks to: - [iggyfisk](https://github.com/iggyfisk) - Based on [electron-typescript-react quickstart](https://github.com/claudioc/electron-typescript-react-quick-start)
minimalism/omr-client
README.md
Markdown
mit
389
#include <assert.h> #include <math.h> #include <stdarg.h> #include <stdio.h> #include <stdlib.h> #include <string.h> #include <time.h> // #include <antlr3.h> #include "toml.h" #include "toml-parser.h" // #include "tomlParser.h" // #include "tomlLexer.h" struct _TOMLStringifyData { TOMLError *error; int bufferSize; int bufferIndex; char *buffer; int tableNameDepth; int tableNameStackSize; TOMLString **tableNameStack; }; int _TOML_stringify( struct _TOMLStringifyData *self, TOMLRef src ); TOMLRef TOML_alloc( TOMLType type ) { switch ( type ) { case TOML_TABLE: return TOML_allocTable( NULL, NULL ); case TOML_ARRAY: return TOML_allocArray( TOML_NOTYPE ); case TOML_STRING: return TOML_allocString( "" ); case TOML_INT: return TOML_allocInt( 0 ); case TOML_DOUBLE: return TOML_allocDouble( 0 ); case TOML_BOOLEAN: return TOML_allocBoolean( 0 ); case TOML_DATE: return TOML_allocEpochDate( 0 ); default: return NULL; } } TOMLTable * TOML_allocTable( TOMLString *key, TOMLRef value, ... ) { TOMLTable *self = malloc( sizeof(TOMLTable) ); self->type = TOML_TABLE; self->keys = TOML_allocArray( TOML_STRING, NULL ); self->values = TOML_allocArray( TOML_NOTYPE, NULL ); if ( key != NULL ) { TOMLArray_append( self->keys, key ); TOMLArray_append( self->values, value ); } else { return self; } va_list args; va_start( args, value ); key = va_arg( args, TOMLString * ); while ( key != NULL ) { value = va_arg( args, TOMLRef ); TOMLArray_append( self->keys, key ); TOMLArray_append( self->values, value ); key = va_arg( args, TOMLString * ); } va_end( args ); return self; } TOMLArray * TOML_allocArray( TOMLType memberType, ... ) { TOMLArray *self = malloc( sizeof(TOMLArray) ); self->type = TOML_ARRAY; self->memberType = memberType; self->size = 0; self->members = NULL; va_list args; va_start( args, memberType ); TOMLRef member = va_arg( args, TOMLRef ); while ( member != NULL ) { TOMLArray_append( self, member ); member = va_arg( args, TOMLRef ); } va_end( args ); return self; } TOMLString * TOML_allocString( char *content ) { int size = strlen( content ); TOMLString *self = malloc( sizeof(TOMLString) + size + 1 ); self->type = TOML_STRING; self->size = size; self->content[ self->size ] = 0; strncpy( self->content, content, size ); return self; } TOMLString * TOML_allocStringN( char *content, int n ) { TOMLString *self = malloc( sizeof(TOMLString) + n + 1 ); self->type = TOML_STRING; self->size = n; self->content[ n ] = 0; strncpy( self->content, content, n ); return self; } TOMLNumber * TOML_allocInt( int value ) { TOMLNumber *self = malloc( sizeof(TOMLNumber) ); self->type = TOML_INT; // self->numberType = TOML_INT; self->intValue = value; return self; } TOMLNumber * TOML_allocDouble( double value ) { TOMLNumber *self = malloc( sizeof(TOMLNumber) ); self->type = TOML_DOUBLE; // self->numberType = TOML_DOUBLE; self->doubleValue = value; return self; } TOMLBoolean * TOML_allocBoolean( int truth ) { TOMLBoolean *self = malloc( sizeof(TOMLBoolean) ); self->type = TOML_BOOLEAN; self->isTrue = truth; return self; } int _TOML_isLeapYear( int year ) { if ( year % 400 == 0 ) { return 1; } else if ( year % 100 == 0 ) { return 0; } else if ( year % 4 == 0 ) { return 1; } else { return 0; } } TOMLDate * TOML_allocDate( int year, int month, int day, int hour, int minute, int second ) { TOMLDate *self = malloc( sizeof(TOMLDate) ); self->type = TOML_DATE; self->year = year; self->month = month; self->day = day; self->hour = hour; self->minute = minute; self->second = second; struct tm _time = { second, minute, hour, day, month, year - 1900 }; // local time time_t localEpoch = mktime( &_time ); // gm time _time = *gmtime( &localEpoch ); time_t gmEpoch = mktime( &_time ); double diff = difftime( localEpoch, gmEpoch ); // Adjust the localEpock made by mktime to a gmt epoch. self->sinceEpoch = localEpoch + diff; return self; } TOMLDate * TOML_allocEpochDate( time_t stamp ) { TOMLDate *self = malloc( sizeof(TOMLDate) ); self->type = TOML_DATE; self->sinceEpoch = stamp; struct tm _time = *gmtime( &stamp ); self->second = _time.tm_sec; self->minute = _time.tm_min; self->hour = _time.tm_hour; self->day = _time.tm_mday; self->month = _time.tm_mon; self->year = _time.tm_year + 1900; return self; } TOMLError * TOML_allocError( int code ) { TOMLError *self = malloc( sizeof(TOMLError) ); self->type = TOML_ERROR; self->code = code; self->lineNo = 0; self->line = NULL; self->message = NULL; self->fullDescription = NULL; return self; } char * _TOML_cstringCopy( char *str ) { if ( !str ) { return NULL; } int size = strlen( str ); char *newstr = malloc( size + 1 ); newstr[ size ] = 0; strncpy( newstr, str, size ); return newstr; } TOMLRef TOML_copy( TOMLRef self ) { TOMLBasic *basic = (TOMLBasic *) self; if ( basic->type == TOML_TABLE ) { TOMLTable *table = (TOMLTable *) self; TOMLTable *newTable = malloc( sizeof(TOMLTable) ); newTable->type = TOML_TABLE; newTable->keys = TOML_copy( table->keys ); newTable->values = TOML_copy( table->values ); return newTable; } else if ( basic->type == TOML_ARRAY ) { TOMLArray *array = (TOMLArray *) self; TOMLArray *newArray = malloc( sizeof(TOMLArray) ); newArray->type = TOML_ARRAY; newArray->memberType = array->memberType; int i; for ( i = 0; i < array->size; ++i ) { TOMLArray_append( newArray, TOML_copy( TOMLArray_getIndex( array, i ) ) ); } return newArray; } else if ( basic->type == TOML_STRING ) { TOMLString *string = (TOMLString *) self; TOMLString *newString = malloc( sizeof(TOMLString) + string->size + 1 ); newString->type = TOML_STRING; newString->size = string->size; strncpy( newString->content, string->content, string->size + 1 ); return newString; } else if ( basic->type == TOML_INT || basic->type == TOML_DOUBLE ) { TOMLNumber *number = (TOMLNumber *) self; TOMLNumber *newNumber = malloc( sizeof(TOMLNumber) ); newNumber->type = number->type; // newNumber->numberType = number->numberType; memcpy( newNumber->bytes, number->bytes, 8 ); return newNumber; } else if ( basic->type == TOML_BOOLEAN ) { TOMLBoolean *boolean = (TOMLBoolean *) self; TOMLBoolean *newBoolean = malloc( sizeof(TOMLBoolean) ); newBoolean->type = boolean->type; newBoolean->isTrue = boolean->isTrue; return newBoolean; } else if ( basic->type == TOML_DATE ) { TOMLDate *date = (TOMLDate *) self; TOMLDate *newDate = malloc( sizeof(TOMLDate) ); *newDate = *date; return newDate; } else if ( basic->type == TOML_ERROR ) { TOMLError *error = (TOMLError *) self; TOMLError *newError = malloc( sizeof(TOMLError) ); newError->type = TOML_ERROR; newError->code = error->code; newError->lineNo = error->lineNo; newError->line = _TOML_cstringCopy( error->line ); newError->message = _TOML_cstringCopy( error->message ); newError->fullDescription = _TOML_cstringCopy( error->fullDescription ); return newError; } else { return NULL; } } void TOML_free( TOMLRef self ) { TOMLBasic *basic = (TOMLBasic *) self; if ( basic->type == TOML_TABLE ) { TOMLTable *table = (TOMLTable *) self; TOML_free( table->keys ); TOML_free( table->values ); } else if ( basic->type == TOML_ARRAY ) { TOMLArray *array = (TOMLArray *) self; int i; for ( i = 0; i < array->size; ++i ) { TOML_free( array->members[ i ] ); } free( array->members ); } else if ( basic->type == TOML_ERROR ) { TOMLError *error = (TOMLError *) self; free( error->line ); free( error->message ); free( error->fullDescription ); } free( self ); } int TOML_isType( TOMLRef self, TOMLType type ) { TOMLBasic *basic = (TOMLBasic *) self; return basic->type == type; } int TOML_isNumber( TOMLRef self ) { TOMLBasic *basic = (TOMLBasic *) self; return basic->type == TOML_INT || basic->type == TOML_DOUBLE; } TOMLRef TOML_find( TOMLRef self, ... ) { TOMLBasic *basic = self; va_list args; va_start( args, self ); char *key; do { if ( basic->type == TOML_TABLE ) { key = va_arg( args, char * ); if ( key == NULL ) { break; } basic = self = TOMLTable_getKey( self, key ); } else if ( basic->type == TOML_ARRAY ) { key = va_arg( args, char * ); if ( key == NULL ) { break; } basic = self = TOMLArray_getIndex( self, atoi( key ) ); } else { break; } } while ( self ); va_end( args ); return self; } TOMLRef TOMLTable_getKey( TOMLTable *self, char *key ) { int keyLength = strlen( key ); int i; for ( i = 0; i < self->keys->size; ++i ) { TOMLString *tableKey = TOMLArray_getIndex( self->keys, i ); int minSize = keyLength < tableKey->size ? keyLength : tableKey->size; if ( strncmp( tableKey->content, key, minSize + 1 ) == 0 ) { return TOMLArray_getIndex( self->values, i ); } } return NULL; } void TOMLTable_setKey( TOMLTable *self, char *key, TOMLRef value ) { int keyLength = strlen( key ); int i; for ( i = 0; i < self->keys->size; ++i ) { TOMLString *tableKey = TOMLArray_getIndex( self->keys, i ); int minSize = keyLength < tableKey->size ? keyLength : tableKey->size; if ( strncmp( tableKey->content, key, minSize ) == 0 ) { TOMLArray_setIndex( self->values, i, value ); return; } } TOMLArray_append( self->keys, TOML_allocString( key ) ); TOMLArray_append( self->values, value ); } TOMLRef TOMLArray_getIndex( TOMLArray *self, int index ) { return self->members && self->size > index ? self->members[ index ] : NULL; } void TOMLArray_setIndex( TOMLArray *self, int index, TOMLRef value ) { if ( index < self->size ) { TOML_free( self->members[ index ] ); self->members[ index ] = value; } else { TOMLArray_append( self, value ); } } void TOMLArray_append( TOMLArray *self, TOMLRef value ) { TOMLRef *oldMembers = self->members; self->members = malloc( ( self->size + 1 ) * sizeof(TOMLRef) ); int i = 0; for ( ; i < self->size; ++i ) { self->members[ i ] = oldMembers[ i ]; } // memcpy( self->members, oldMembers, self->size * sizeof(TOMLRef) ); self->members[ self->size ] = value; self->size++; free( oldMembers ); } char * TOML_toString( TOMLString *self ) { char *string = malloc( self->size + 1 ); TOML_copyString( self, self->size + 1, string ); return string; } #define RETURN_VALUE switch ( self->type ) { \ case TOML_INT: \ return self->intValue; \ case TOML_DOUBLE: \ return self->doubleValue; \ default: \ return 0; \ } int TOML_toInt( TOMLNumber *self ) { RETURN_VALUE; } double TOML_toDouble( TOMLNumber *self ) { RETURN_VALUE; } #undef RETURN_VALUE struct tm TOML_toTm( TOMLDate *self ) { return *gmtime( &self->sinceEpoch ); } int TOML_toBoolean( TOMLBoolean *self ) { return self->isTrue; } TOMLToken * TOML_newToken( TOMLToken *token ) { TOMLToken *heapToken = malloc( sizeof(TOMLToken) ); memcpy( heapToken, token, sizeof(TOMLToken) ); int size = token->end - token->start; heapToken->tokenStr = malloc( size + 1 ); heapToken->tokenStr[ size ] = 0; strncpy( heapToken->tokenStr, token->start, size ); return heapToken; } void TOML_strcpy( char *buffer, TOMLString *self, int size ) { if ( self->type != TOML_STRING ) { buffer[0] = 0; } else { strncpy( buffer, self->content, size < self->size + 1 ? size : self->size + 1 ); } } char * _TOML_increaseBuffer( char *oldBuffer, int *size ) { int newSize = *size + 1024; char *newBuffer = malloc( newSize + 1 ); // Always have a null terminator so TOMLScan can exit without segfault. newBuffer[ newSize ] = 0; if ( oldBuffer ) { strncpy( newBuffer, oldBuffer, *size + 1 ); free( oldBuffer ); } *size = newSize; return newBuffer; } int TOML_load( char *filename, TOMLTable **dest, TOMLError *error ) { assert( *dest == NULL ); FILE *fd = fopen( filename, "r" ); if ( fd == NULL ) { if ( error ) { error->code = TOML_ERROR_FILEIO; error->lineNo = -1; error->line = NULL; int messageSize = strlen( TOMLErrorDescription[ error->code ] ); error->message = malloc( messageSize + 1 ); strcpy( error->message, TOMLErrorDescription[ error->code ] ); error->message[ messageSize ] = 0; int fullDescSize = messageSize + strlen( filename ) + 8; error->fullDescription = malloc( fullDescSize + 1 ); snprintf( error->fullDescription, fullDescSize, "%s File: %s", error->message, filename ); } return TOML_ERROR_FILEIO; } int bufferSize = 0; char * buffer = _TOML_increaseBuffer( NULL, &bufferSize ); int copyBufferSize = 0; char * copyBuffer = _TOML_increaseBuffer( NULL, &copyBufferSize ); int read = fread( buffer, 1, bufferSize, fd ); int incomplete = read == bufferSize; int hTokenId; TOMLToken token = { 0, NULL, NULL, buffer, 0, buffer, NULL }; TOMLToken lastToken = token; TOMLTable *topTable = *dest = TOML_allocTable( NULL, NULL ); TOMLParserState state = { topTable, topTable, 0, error, &token }; pTOMLParser parser = TOMLParserAlloc( malloc ); while ( state.errorCode == 0 && ( TOMLScan( token.end, &hTokenId, &token ) || incomplete ) ) { while ( token.end >= buffer + bufferSize && incomplete ) { int lineSize = buffer + bufferSize - lastToken.lineStart; if ( lastToken.lineStart == buffer ) { int oldBufferSize = bufferSize; strncpy( copyBuffer, lastToken.lineStart, lineSize ); buffer = _TOML_increaseBuffer( buffer, &bufferSize ); copyBuffer = _TOML_increaseBuffer( copyBuffer, &copyBufferSize ); strncpy( buffer, copyBuffer, lineSize ); } else { strncpy( copyBuffer, lastToken.lineStart, lineSize ); strncpy( buffer, copyBuffer, lineSize ); } int read = fread( buffer + lineSize, 1, bufferSize - lineSize, fd ); incomplete = read == bufferSize - lineSize; if ( !incomplete ) { buffer[ lineSize + read ] = 0; } token = lastToken; token.end = buffer + ( token.end - token.lineStart ); token.lineStart = buffer; lastToken = token; TOMLScan( token.end, &hTokenId, &token ); } lastToken = token; int tmpSize = token.end - token.start; char *tmp = malloc( tmpSize + 1 ); strncpy( tmp, token.start, tmpSize ); tmp[ tmpSize ] = 0; free( tmp ); TOMLParser( parser, hTokenId, TOML_newToken( &token ), &state ); } if ( state.errorCode == 0 ) { TOMLParser( parser, hTokenId, TOML_newToken( &token ), &state ); } TOMLParserFree( parser, free ); free( copyBuffer ); free( buffer ); fclose( fd ); if ( state.errorCode != 0 ) { TOML_free( *dest ); *dest = NULL; return state.errorCode; } return 0; } // int TOML_dump( char *filename, TOMLTable * ); int TOML_parse( char *buffer, TOMLTable **dest, TOMLError *error ) { assert( *dest == NULL ); int hTokenId; TOMLToken token = { 0, NULL, NULL, buffer, 0, buffer, NULL }; TOMLTable *topTable = *dest = TOML_allocTable( NULL, NULL ); TOMLParserState state = { topTable, topTable, 0, error, &token }; pTOMLParser parser = TOMLParserAlloc( malloc ); while ( state.errorCode == 0 && TOMLScan( token.end, &hTokenId, &token ) ) { TOMLParser( parser, hTokenId, TOML_newToken( &token ), &state ); } if ( state.errorCode == 0 ) { TOMLParser( parser, hTokenId, TOML_newToken( &token ), &state ); } TOMLParserFree( parser, free ); if ( state.errorCode != 0 ) { TOML_free( *dest ); *dest = NULL; return state.errorCode; } return 0; } TOMLString ** _TOML_increaseNameStack( TOMLString **nameStack, int *nameStackSize ) { TOMLString **oldStack = nameStack; int oldSize = *nameStackSize; *nameStackSize += 16; nameStack = malloc( *nameStackSize * sizeof(TOMLString *) ); if ( oldStack ) { memcpy( nameStack, oldStack, oldSize ); free( oldStack ); } return nameStack; } void _TOML_stringifyPushName( struct _TOMLStringifyData *self, TOMLRef src ) { if ( self->tableNameDepth >= self->tableNameStackSize ) { self->tableNameStack = _TOML_increaseNameStack( self->tableNameStack, &( self->tableNameStackSize ) ); } self->tableNameStack[ self->tableNameDepth ] = src; self->tableNameDepth++; } void _TOML_stringifyPopName( struct _TOMLStringifyData *self ) { self->tableNameDepth--; self->tableNameStack[ self->tableNameDepth ] = NULL; } void _TOML_stringifyText( struct _TOMLStringifyData *self, char *text, int n ) { if ( self->bufferIndex + n + 1 >= self->bufferSize ) { self->buffer = _TOML_increaseBuffer( self->buffer, &self->bufferSize ); } strncpy( self->buffer + self->bufferIndex, text, n ); self->bufferIndex += n; self->buffer[ self->bufferIndex ] = 0; } void _TOML_stringifyTableHeader( struct _TOMLStringifyData *self, TOMLTable *table ) { TOMLBasic *first = TOMLArray_getIndex( table->values, 0 ); if ( !first || first->type == TOML_TABLE || ( first->type == TOML_ARRAY && ((TOMLArray *) first)->memberType == TOML_TABLE ) ) { return; } if ( self->bufferIndex != 0 ) { _TOML_stringifyText( self, "\n", 1 ); } _TOML_stringifyText( self, "[", 1 ); for ( int i = 0; i < self->tableNameDepth; ++i ) { TOMLString *tableName = self->tableNameStack[ i ]; if ( i > 0 ) { _TOML_stringifyText( self, ".", 1 ); } _TOML_stringifyText( self, tableName->content, tableName->size ); } _TOML_stringifyText( self, "]\n", 2 ); } void _TOML_stringifyArrayHeader( struct _TOMLStringifyData *self ) { if ( self->bufferIndex != 0 ) { _TOML_stringifyText( self, "\n", 1 ); } _TOML_stringifyText( self, "[[", 2 ); for ( int i = 0; i < self->tableNameDepth; ++i ) { TOMLString *tableName = self->tableNameStack[ i ]; if ( i > 0 ) { _TOML_stringifyText( self, ".", 1 ); } _TOML_stringifyText( self, tableName->content, tableName->size ); } _TOML_stringifyText( self, "]]\n", 3 ); } void _TOML_stringifyString( struct _TOMLStringifyData *self, TOMLString *string ) { char *cursor = string->content; while ( cursor != NULL ) { // Scan for escapable character or unicode. char *next = cursor; unsigned int ch = *next; for ( ; !( ch == 0 || ch == '\b' || ch == '\t' || ch == '\f' || ch == '\n' || ch == '\r' || ch == '"' || ch == '/' || ch == '\\' || ch > 0x7f ); next++, ch = *next ) {} if ( *next == 0 ) { next = NULL; } // Copy text up to character and then insert escaped character. if ( next ) { _TOML_stringifyText( self, cursor, next - cursor ); #define REPLACE( match, value ) \ if ( *next == match ) { \ _TOML_stringifyText( self, value, 2 ); \ } REPLACE( '\b', "\\b" ) else REPLACE( '\t', "\\t" ) else REPLACE( '\f', "\\f" ) else REPLACE( '\n', "\\n" ) else REPLACE( '\r', "\\r" ) else REPLACE( '"', "\\\"" ) else REPLACE( '/', "\\/" ) else REPLACE( '\\', "\\\\" ) #undef REPLACE else if ( ((unsigned int) *next ) > 0x7f ) { int num = 0; int chsize; // Decode the numeric representation of the utf8 character if ( ( *next & 0xe0 ) == 0xe0 ) { chsize = 3; num = ( ( next[0] & 0x0f ) << 12 ) | ( ( next[1] & 0x3f ) << 6 ) | ( next[2] & 0x3f ); } else if ( ( *next & 0xc0 ) == 0xc0 ) { chsize = 2; num = ( ( next[0] & 0x1f ) << 6 ) | ( next[1] & 0x3f ); } else { assert( 0 ); } // Stringify \uxxxx char utf8Buffer[5]; snprintf( utf8Buffer, 5, "%04x", num ); _TOML_stringifyText( self, "\\u", 2 ); _TOML_stringifyText( self, utf8Buffer, 4 ); next += chsize - 1; } next++; // Copy everything up to the end. } else { _TOML_stringifyText( self, cursor, strlen( cursor ) ); } cursor = next; } } void _TOML_stringifyEntry( struct _TOMLStringifyData *self, TOMLString *key, TOMLBasic *value ) { _TOML_stringifyText( self, key->content, key->size ); _TOML_stringifyText( self, " = ", 3 ); if ( value->type == TOML_STRING ) { _TOML_stringifyText( self, "\"", 1 ); _TOML_stringifyString( self, (TOMLString *) value ); _TOML_stringifyText( self, "\"", 1 ); } else { _TOML_stringify( self, value ); } _TOML_stringifyText( self, "\n", 1 ); } int _TOML_stringify( struct _TOMLStringifyData *self, TOMLRef src ) { // Cast to TOMLBasic to discover type. TOMLBasic *basic = src; // if null if ( src == NULL ) { _TOML_stringifyText( self, "(null)", 6 ); // if table } else if ( basic->type == TOML_TABLE ) { TOMLTable *table = src; // loop keys for ( int i = 0; i < table->keys->size; ++i ) { TOMLRef key = TOMLArray_getIndex( table->keys, i ); TOMLRef value = TOMLArray_getIndex( table->values, i ); TOMLBasic *basicValue = value; // if value is table, print header, recurse if ( basicValue->type == TOML_TABLE ) { TOMLTable *tableValue = value; _TOML_stringifyPushName( self, key ); _TOML_stringifyTableHeader( self, value ); _TOML_stringify( self, value ); _TOML_stringifyPopName( self ); // if value is array } else if ( basicValue->type == TOML_ARRAY ) { TOMLArray *array = value; // if value is object array if ( array->memberType == TOML_TABLE ) { // loop indices, print headers, recurse for ( int j = 0; j < array->size; ++j ) { _TOML_stringifyPushName( self, key ); _TOML_stringifyArrayHeader( self ); _TOML_stringify( self, TOMLArray_getIndex( array, j ) ); _TOML_stringifyPopName( self ); } } else { // print entry line with dense (no newlines) array _TOML_stringifyEntry( self, key, value ); } } else { // if value is string or number, print entry _TOML_stringifyEntry( self, key, value ); } } // if array } else if ( basic->type == TOML_ARRAY ) { TOMLArray *array = src; // print array densely _TOML_stringifyText( self, "[", 1 ); for ( int i = 0; i < array->size; ++i ) { _TOML_stringifyText( self, " ", 1 ); TOMLBasic *arrayValue = TOMLArray_getIndex( array, i ); if ( arrayValue->type == TOML_STRING ) { _TOML_stringifyText( self, "\"", 1 ); _TOML_stringifyString( self, (TOMLString *) arrayValue ); _TOML_stringifyText( self, "\"", 1 ); } else { _TOML_stringify( self, arrayValue ); } if ( i != array->size - 1 ) { _TOML_stringifyText( self, ",", 1 ); } else { _TOML_stringifyText( self, " ", 1 ); } } _TOML_stringifyText( self, "]", 1 ); // if string } else if ( basic->type == TOML_STRING ) { TOMLString *string = src; // print string _TOML_stringifyText( self, string->content, string->size ); // if number } else if ( TOML_isNumber( basic ) ) { TOMLNumber *number = src; char numberBuffer[ 16 ]; memset( numberBuffer, 0, 16 ); int size; if ( number->type == TOML_INT ) { size = snprintf( numberBuffer, 15, "%d", number->intValue ); } else if ( fmod( number->doubleValue, 1 ) == 0 ) { size = snprintf( numberBuffer, 15, "%.1f", number->doubleValue ); } else { size = snprintf( numberBuffer, 15, "%g", number->doubleValue ); } // print number _TOML_stringifyText( self, numberBuffer, size ); } else if ( basic->type == TOML_BOOLEAN ) { TOMLBoolean *boolean = (TOMLBoolean *) basic; if ( boolean->isTrue ) { _TOML_stringifyText( self, "true", 4 ); } else { _TOML_stringifyText( self, "false", 5 ); } } else if ( basic->type == TOML_DATE ) { TOMLDate *date = (TOMLDate *) basic; char numberBuffer[ 16 ]; int size; #define STRINGIFY_DATE_SECTION( format, part, spacer ) \ size = snprintf( numberBuffer, 15, format, date->part ); \ _TOML_stringifyText( self, numberBuffer, size ); \ _TOML_stringifyText( self, spacer, 1 ) STRINGIFY_DATE_SECTION( "%d", year, "-" ); STRINGIFY_DATE_SECTION( "%0.2d", month, "-" ); STRINGIFY_DATE_SECTION( "%0.2d", day, "T" ); STRINGIFY_DATE_SECTION( "%0.2d", hour, ":" ); STRINGIFY_DATE_SECTION( "%0.2d", minute, ":" ); STRINGIFY_DATE_SECTION( "%0.2d", second, "Z" ); #undef STRINGIFY_DATE_SECTION } else { assert( 0 ); } // if error // print error return 0; } int TOML_stringify( char **buffer, TOMLRef src, TOMLError *error ) { int bufferSize = 0; char *output = _TOML_increaseBuffer( NULL, &bufferSize ); int stackSize = 0; TOMLString **tableNameStack = _TOML_increaseNameStack( NULL, &stackSize ); struct _TOMLStringifyData stringifyData = { error, bufferSize, 0, output, 0, stackSize, tableNameStack }; int errorCode = _TOML_stringify( &stringifyData, src ); free( tableNameStack ); *buffer = stringifyData.buffer; return errorCode; }
mzgoddard/tomlc
toml.c
C
mit
25,919
<!doctype html> <html class="no-js" lang=""> <head> <title>Zabuun - Learn Egyptian Arabic for English speakers</title> <meta name="description" content=""> <?php include $_SERVER['DOCUMENT_ROOT'].'/layout/head.php';?> </head> <body> <?php include $_SERVER['DOCUMENT_ROOT'].'/layout/ie8.php';?> <?php include $_SERVER['DOCUMENT_ROOT'].'/layout/header.php';?> <div class="content"> <?php include $_SERVER['DOCUMENT_ROOT'].'/layout/side.php';?> <div class="main"> <div class="location"> <p class="breadcrumbs">Essays > The First Song</p> <p class="expandcollapse"> <a href="">Expand All</a> | <a href="">Collapse All</a> </p> </div> <!-- begin essay --> <h1>The First Song</h1> <p> She sits in the car. Her dad turns on the radio. A song plays. She taps her feet. She sways her head. Her dad laughs at her. He likes the song too. The song is over. The radio plays a different song. She does not like the new song. She sits quietly. </p> <!-- end essay --> </div> </div> <?php include $_SERVER['DOCUMENT_ROOT'].'/layout/footer.php';?> <?php include $_SERVER['DOCUMENT_ROOT'].'/layout/scripts.php';?> </body> </html>
javanigus/zabuun
essay/0006-the-first-song.php
PHP
mit
1,193
package main import ( "os" "github.com/codegangsta/cli" ) func main() { app := cli.NewApp() app.Name = "nano-client" app.Usage = "Send a request to service" app.Version = Version app.Flags = []cli.Flag{ cli.StringFlag{ Name: "service, s", Usage: "Service endpoint to send request to (Required)", }, cli.StringFlag{ Name: "method, m", Usage: "RPC method to call (Required)", }, cli.StringFlag{ Name: "params, p", Usage: "Parameters as JSON (Required)", }, } //app.Action = SendRequest app.Run(os.Args) }
mouadino/go-nano
cli/nano-client/main.go
GO
mit
551
import logger from './logger'; import app from './app'; const port = app.get('port'); const server = app.listen(port); process.on('unhandledRejection', (reason, p) => logger.error('Unhandled Rejection at: Promise ', p, reason) ); server.on('listening', () => logger.info('Feathers application started on http://%s:%d', app.get('host'), port) );
feathersjs/generator-feathers
generators/app/templates/ts/src/index.ts
TypeScript
mit
352
# Gistoria [**Gistoria**](http://gistoria.drteam.rocks/) it's a **Gist** of the some of **Stories** - a project devoted to Russian literature. Online development streams every Monday, Wednesday and Friday. https://www.twitch.tv/evilfreelancer If you can help to **Gistoria** it will be great! ## How to install git clone git@github.com:EvilFreelancer/gistoria.git cd gistoria composer update bower update Next you need to create the Mongo database. [Here](https://github.com/EvilFreelancer/gistoria/blob/master/backup/gistoria.mongo) you can find few simple steps for this. And if you follow [this link](http://gistoria.drteam.rocks/dumps/), you can get the full Gistoria dump. ## Mockups * [Authors list](https://wireframe.cc/VoEgll) * [Author books](https://wireframe.cc/UhQfqU) * [All chapters of book](https://wireframe.cc/lGuckb) * [Book chapter with pages](https://wireframe.cc/suaAiC) ## Authors * [@EvilFreelancer](https://github.com/EvilFreelancer) ## System Requirements * MongoDB >= 2.6 * PHP >= 7.0 * php-mbstring * php-mongodb ## Links * [Start Bootstrap - New Age](https://github.com/BlackrockDigital/startbootstrap-new-age)
EvilFreelancer/gistoria
README.md
Markdown
mit
1,172
package test import akka.actor.ActorSystem import akka.pattern.AskTimeoutException import github.gphat.datadog._ import java.nio.charset.StandardCharsets import org.json4s._ import org.json4s.native.JsonMethods._ import org.specs2.mutable.Specification import scala.concurrent.duration._ import scala.concurrent.ExecutionContext.Implicits.global import scala.concurrent.{Await,Future,Promise} import scala.util.Try import spray.http._ class ServiceCheckSpec extends Specification { implicit val formats = DefaultFormats // Sequential because it's less work to share the client instance sequential "Client" should { val adapter = new OkHttpAdapter() val client = new Client( apiKey = "apiKey", appKey = "appKey", httpAdapter = adapter ) "handle add service check" in { val res = Await.result( client.addServiceCheck( check = "app.is_ok", hostName = "app1", status = 0 ), Duration(5, "second") ) res.statusCode must beEqualTo(200) val uri = adapter.getRequest.get.uri.toString uri must contain("https://app.datadoghq.com/api/v1/check_run") val params = adapter.getRequest.get.uri.query.toMap params must havePairs( "api_key" -> "apiKey", "application_key" -> "appKey", "check" -> "app.is_ok", "host_name" -> "app1", "status" -> "0" ) adapter.getRequest must beSome.which(_.method == HttpMethods.POST) } } }
gphat/datadog-scala
src/test/scala/ServiceCheckSpec.scala
Scala
mit
1,484
<!DOCTYPE html> <html> <head> <meta charset="UTF-8"> <title>class RubyXL::CellStyle - rubyXL 3.3.29</title> <script type="text/javascript"> var rdoc_rel_prefix = "../"; var index_rel_prefix = "../"; </script> <script src="../js/jquery.js"></script> <script src="../js/darkfish.js"></script> <link href="../css/fonts.css" rel="stylesheet"> <link href="../css/rdoc.css" rel="stylesheet"> <body id="top" role="document" class="class"> <nav role="navigation"> <div id="project-navigation"> <div id="home-section" role="region" title="Quick navigation" class="nav-section"> <h2> <a href="../index.html" rel="home">Home</a> </h2> <div id="table-of-contents-navigation"> <a href="../table_of_contents.html#pages">Pages</a> <a href="../table_of_contents.html#classes">Classes</a> <a href="../table_of_contents.html#methods">Methods</a> </div> </div> <div id="search-section" role="search" class="project-section initially-hidden"> <form action="#" method="get" accept-charset="utf-8"> <div id="search-field-wrapper"> <input id="search-field" role="combobox" aria-label="Search" aria-autocomplete="list" aria-controls="search-results" type="text" name="search" placeholder="Search" spellcheck="false" title="Type to search, Up and Down to navigate, Enter to load"> </div> <ul id="search-results" aria-label="Search Results" aria-busy="false" aria-expanded="false" aria-atomic="false" class="initially-hidden"></ul> </form> </div> </div> <div id="class-metadata"> <div id="parent-class-section" class="nav-section"> <h3>Parent</h3> <p class="link">OOXMLObject </div> </div> </nav> <main role="main" aria-labelledby="class-RubyXL::CellStyle"> <h1 id="class-RubyXL::CellStyle" class="class"> class RubyXL::CellStyle </h1> <section class="description"> <p><a href="http://www.datypic.com/sc/ooxml/e-ssml_cellStyle-1.html">www.datypic.com/sc/ooxml/e-ssml_cellStyle-1.html</a></p> </section> <section id="5Buntitled-5D" class="documentation-section"> </section> </main> <footer id="validator-badges" role="contentinfo"> <p><a href="http://validator.w3.org/check/referer">Validate</a> <p>Generated by <a href="https://rdoc.github.io/rdoc">RDoc</a> 5.1.0. <p>Based on <a href="http://deveiate.org/projects/Darkfish-RDoc/">Darkfish</a> by <a href="http://deveiate.org">Michael Granger</a>. </footer>
mezza/rubyXL
rdoc/RubyXL/CellStyle.html
HTML
mit
2,528
// Template Source: BaseEntityCollectionResponse.java.tt // ------------------------------------------------------------------------------ // Copyright (c) Microsoft Corporation. All Rights Reserved. Licensed under the MIT License. See License in the project root for license information. // ------------------------------------------------------------------------------ package com.microsoft.graph.requests; import com.microsoft.graph.models.ContactFolder; import com.microsoft.graph.http.BaseCollectionResponse; // **NOTE** This file was generated by a tool and any changes will be overwritten. /** * The class for the Contact Folder Collection Response. */ public class ContactFolderCollectionResponse extends BaseCollectionResponse<ContactFolder> { }
microsoftgraph/msgraph-sdk-java
src/main/java/com/microsoft/graph/requests/ContactFolderCollectionResponse.java
Java
mit
765
require "capybara/rspec" require "webmock/rspec" require "plek" require "gds_api/test_helpers/publishing_api" WebMock.disable_net_connect!(allow_localhost: true) RSpec.configure do |config| config.expect_with :rspec do |expectations| expectations.include_chain_clauses_in_custom_matcher_descriptions = true end config.mock_with :rspec do |mocks| mocks.verify_partial_doubles = true end config.include GdsApi::TestHelpers::PublishingApi end
alphagov/service-manual-publisher
spec/spec_helper.rb
Ruby
mit
463
#!/usr/bin/env python """ Project-wide application configuration. DO NOT STORE SECRETS, PASSWORDS, ETC. IN THIS FILE. They will be exposed to users. Use environment variables instead. See get_secrets() below for a fast way to access them. """ import os """ NAMES """ # Project name used for display PROJECT_NAME = 'quotable' # Project name in urls # Use dashes, not underscores! PROJECT_SLUG = 'quotable' # The name of the repository containing the source REPOSITORY_NAME = 'quotable' REPOSITORY_URL = 'git@github.com:nprapps/%s.git' % REPOSITORY_NAME REPOSITORY_ALT_URL = None # 'git@bitbucket.org:nprapps/%s.git' % REPOSITORY_NAME' # The name to be used in paths on the server PROJECT_FILENAME = 'quotable' """ DEPLOYMENT """ FILE_SERVER = 'tools.apps.npr.org' S3_BUCKET = 'tools.apps.npr.org' ASSETS_S3_BUCKET = 'assets.apps.npr.org' # These variables will be set at runtime. See configure_targets() below DEBUG = True """ COPY EDITING """ COPY_GOOGLE_DOC_KEY = '0AlXMOHKxzQVRdHZuX1UycXplRlBfLVB0UVNldHJYZmc' """ SHARING """ PROJECT_DESCRIPTION = 'An opinionated project template for (mostly) server-less apps.' SHARE_URL = 'http://%s/%s/' % (S3_BUCKET, PROJECT_SLUG) TWITTER = { 'TEXT': PROJECT_NAME, 'URL': SHARE_URL, # Will be resized to 120x120, can't be larger than 1MB 'IMAGE_URL': '' } FACEBOOK = { 'TITLE': PROJECT_NAME, 'URL': SHARE_URL, 'DESCRIPTION': PROJECT_DESCRIPTION, # Should be square. No documented restrictions on size 'IMAGE_URL': TWITTER['IMAGE_URL'], 'APP_ID': '138837436154588' } GOOGLE = { # Thumbnail image for Google News / Search. # No documented restrictions on resolution or size 'IMAGE_URL': TWITTER['IMAGE_URL'] } NPR_DFP = { 'STORY_ID': '203618536', 'TARGET': 'News_NPR_News_Investigations', 'ENVIRONMENT': 'NPRTEST', 'TESTSERVER': 'true' } """ SERVICES """ GOOGLE_ANALYTICS_ID = 'UA-5828686-4'
18F/quotable
app_config.py
Python
mit
1,915
{ "date": "2019-12-01", "type": "post", "title": "Report for Sunday 1st of December 2019", "slug": "2019\/12\/01", "categories": [ "Daily report" ], "images": [], "health": { "weight": 82.9, "height": 173, "age": 14228 }, "nutrition": { "calories": 3074.97, "fat": 183.53, "carbohydrates": 255.86, "protein": 87.53 }, "exercise": { "pushups": 0, "crunches": 0, "steps": 0 }, "media": { "books": [], "podcast": [], "youtube": [], "movies": [ { "id": "tt1206885", "title": "Rambo: Last Blood", "year": "2019", "url": "https:\/\/www.imdb.com\/title\/tt1206885\/" } ], "photos": [] } } Today I am <strong>14228 days</strong> old and my weight is <strong>82.9 kg</strong>. During the day, I consumed <strong>3074.97 kcal</strong> coming from <strong>183.53 g</strong> fat, <strong>255.86 g</strong> carbohydrates and <strong>87.53 g</strong> protein. Managed to do <strong>0 push-ups</strong>, <strong>0 crunches</strong> and walked <strong>0 steps</strong> during the day which is approximately <strong>0 km</strong>.
aquilax/quantified.avtobiografia.com
content/post/2019-12-01.md
Markdown
mit
1,298
<table class="legend-table" *ngIf="units"> <thead> <tr class="header"> <th>Chraracter</th> <th>Length (seconds)</th> </tr> </thead> <tbody> <tr> <th>Dot ( ● )</th> <td class="red">{{ units.dot }} Seconds</td> </tr> <tr> <th>Dash ( - )</th> <td class="red">{{ units.dash }} Seconds</td> </tr> <tr> <th>Between Letters ( [ ] )</th> <td class="red">{{ units.space.between_letters }} Seconds</td> </tr> <tr> <th>Between Same Letter</th> <td class="red">{{ units.space.between_same_letter }} Seconds</td> </tr> <tr> <th>Between Words</th> <td class="red">{{ units.space.between_words }} Seconds</td> </tr> </tbody> </table>
rabbitfighter81/reMORSE
src/app/components/legend/legend.component.html
HTML
mit
749
--- layout: post date: '2015-10-13' title: "Watters - Wtoo Wtoo Maids Dress 891 2015 Spring Sleeveless Knee-Length Aline/Princess" category: Watters - Wtoo tags: [Watters - Wtoo,Wtoo,Aline/Princess ,Jewel,Knee-Length,Sleeveless,2015,Spring] --- ### Watters - Wtoo Wtoo Maids Dress 891 Just **$189.99** ### 2015 Spring Sleeveless Knee-Length Aline/Princess <table><tr><td>BRANDS</td><td>Wtoo</td></tr><tr><td>Silhouette</td><td>Aline/Princess </td></tr><tr><td>Neckline</td><td>Jewel</td></tr><tr><td>Hemline/Train</td><td>Knee-Length</td></tr><tr><td>Sleeve</td><td>Sleeveless</td></tr><tr><td>Years</td><td>2015</td></tr><tr><td>Season</td><td>Spring</td></tr></table> <a href="https://www.readybrides.com/en/watters-wtoo/14643-watters-dress-891.html"><img src="//static.msromantic.com/33438/watters-dress-891.jpg" alt="Wtoo Maids Dress 891" style="width:100%;" /></a> <!-- break --><a href="https://www.readybrides.com/en/watters-wtoo/14643-watters-dress-891.html"><img src="//static.msromantic.com/33437/watters-dress-891.jpg" alt="Wtoo Maids Dress 891" style="width:100%;" /></a> Buy it: [https://www.readybrides.com/en/watters-wtoo/14643-watters-dress-891.html](https://www.readybrides.com/en/watters-wtoo/14643-watters-dress-891.html)
variousweddingdress/variousweddingdress.github.io
_posts/2015-10-13-Watters-Wtoo-Wtoo-Maids-Dress-891-2015-Spring-Sleeveless-KneeLength-AlinePrincess.md
Markdown
mit
1,244
#include "udivmodti4.h" __int128 __modti3(__int128 a, __int128 b) { unsigned __int128 r; unsigned __int128 sign = a >> 127; udivmodti4_(a + sign ^ sign, b < 0 ? -b : b, &r); return r + sign ^ sign; }
jdh8/metallic
src/soft/integer/modti3.c
C
mit
219
# # Swaggy Jenkins # Jenkins API clients generated from Swagger / Open API specification # Version: 1.1.2-pre.0 # Contact: blah@cliffano.com # Generated by OpenAPI Generator: https://openapi-generator.tech # Describe -tag 'PSOpenAPITools' -name 'EmptyChangeLogSet' { Context 'EmptyChangeLogSet' { It 'Initialize-EmptyChangeLogSet' { # a simple test to create an object #$NewObject = Initialize-EmptyChangeLogSet -Class "TEST_VALUE" -Kind "TEST_VALUE" #$NewObject | Should -BeOfType EmptyChangeLogSet #$NewObject.property | Should -Be 0 } } }
cliffano/swaggy-jenkins
clients/powershell/generated/tests/Model/EmptyChangeLogSet.Tests.ps1
PowerShell
mit
615
class AddIndexToSkillTotals < ActiveRecord::Migration def change add_index :skill_totals, :name add_index :skill_totals, :date end end
thatguyandy27/SkillsCompiler
skills_app/db/migrate/20140316173555_add_index_to_skill_totals.rb
Ruby
mit
147
<!DOCTYPE html> <html> <head lang="en"> <title>柱柱签收-移动互联网时代的物流,运输全程可视,让物流更简单</title> <meta content="text/html; charset=utf-8" http-equiv="Content-Type" /> <meta http-equiv="X-UA-Compatible" content="IE=edge,chrome=1"> <meta name="keywords" content="柱柱签收,物流管理系统,车队系统,第三方物流系统,物流签收, 签收单, 回单,车队管理,车辆管理,TMS,运输管理系统,OTMS,签收" /> <meta content="柱柱签收是国际领先的移动互联网时代的物流,向货主、物流公司、专线公司、车队、司机、收货人 提供运输全程可视化的物流管理系统,解决传统物流时代回单、签收、物流管理难等问题, 一封Emai,一个APP,极速链接各类合作伙伴和司机。" name="description" /> <meta http-equiv="X-UA-Compatible" content="IE=edge,chrome=1"> <meta name="viewport" content="initial-scale=1, maximum-scale=1, user-scalable=no, width=device-width"> <link rel="icon" type="image/x-icon" href="../../home_page/images/favicon.ico"> <script type="text/javascript" src="../../libraries/jquery/dist/jquery.min.js"></script> <script type="text/javascript" src="../../zz_supports/js/jquery.cookie.js"></script> <script type="text/javascript" src="../../libraries/bootstrap/dist/js/bootstrap.min.js"></script> <script type="text/javascript" src="http://7xjfim.com2.z0.glb.qiniucdn.com/Iva.js"></script> <script type="text/javascript" src="../../zz_supports/js/global.client.support.js"></script> <script type="text/javascript" src="../../home_page/controllers/import.client.controller.js"></script> <script type="text/javascript" src="../../home_page/controllers/dialog.client.controller.js"></script> <script type="text/javascript" src="../../home_page/controllers/sliding_menu.client.controller.js"></script> <script type="text/javascript" src="../../home_page/controllers/header.client.controller.js"></script> <script type="text/javascript" src="../../home_page/controllers/index.client.controller.js"></script> <link rel="stylesheet" type="text/css" href="../../libraries/bootstrap/dist/css/bootstrap.min.css"> <link rel="stylesheet" type="text/css" href="../../home_page/css/global.client.style.css"> <link rel="stylesheet" type="text/css" href="../../home_page/css/header.client.style.css"> <link rel="stylesheet" type="text/css" href="../../home_page/css/footer.client.style.css"> <link rel="stylesheet" type="text/css" href="../../home_page/css/dialog.client.style.css"> <link rel="stylesheet" type="text/css" href="../../home_page/css/sliding_menu.client.style.css"> <link rel="stylesheet" type="text/css" href="../../home_page/css/index.client.style.css"> </head> <body> <div class="wrap"> <div class="wrap-background"> <p class="p-background"></p> </div> <div class="operation"> <div id="header" class="zz-home-header"></div> <p class="operation-title-one">一款移动互联网时代的</p> <p class="operation-title-two">开放式物流管理平台</p> <form class="operation-signin"> <div class="signin-title"> <span>即刻登录,享受零成本投入的超高服务回报,开启您的全新物流运输管理模式:</span> </div> <div class="signin-content row"> <div class="col-md-5 col-xs-12 col-sm-12"> <input class=" username" name="username" type="text" placeholder="输入或手机" autocomplete="off" /> </div> <div class="col-md-5 col-xs-12 col-sm-12"> <input class="password" name="password" type="password" placeholder="输入密码" autocomplete="off" /> </div> <div class="col-md-2 col-xs-12 col-sm-12"> <input class="signin" type="submit" value="登录" /> </div> </div> <span class="error zz-hidden"></span> </form> </div> <div class="wrap-container"> <div class="video-container"> <a name="video-entrance" id="video-entrance" style="height: 0; width: 0"></a> <!-- 锚点--> <p class="video-container-title">什么是柱柱签收</p> <p class="video-container-contents">柱柱签收网是新一代的物流管理云平台,基于网页以及司机手机的简单操作,对货物单据, 运输轨迹,收发货时间,货物条码信息等实现实时、真实等管理,同时可以方便地将物流信息分享给上下游客户。 </p> <div class="download-ppt"> <a class="chinese-ppt" href="/zzqs2/resources/product_introduction_zh.pdf">柱柱签收介绍 <span class="icon"></span> </a> <a class="english-ppt" href="/zzqs2/resources/product_example_zh.pdf">柱柱签收案例 <span class="icon"></span> </a> </div> <div class="device"> <img src="../../home_page/images/index/device.png" style="width: 100%;max-width: 1160px"> </div> </div> <div class="description"> <p class="description-title">为什么选择柱柱</p> <div class="level"> <div class="row"> <div class="col-md-6 col-xs-12 col-sm-6"> <div class="location"> <p class="level-title">节点追踪 全程定位</p> <p class="level-container">柱柱签收通过APP要求司机在指定时间、指定地点按指定步骤拍摄货物信息,生成时间轴方便管理者查看,不允许从相册上传图片,保证纪录的真实性。</p> </div> </div> <div class="col-md-6 col-xs-12 col-sm-6"> <div class="message"> <p class="level-title">微信推送 异常报警</p> <p class="level-container">柱柱签收微信分享和图片语音实时传输技术把信息的顺序传递变成了同时传递。</p> </div> </div> </div> </div> <div class="level"> <div class="row"> <div class="col-md-6 col-xs-12 col-sm-6"> <div class="electronic"> <p class="level-title">电子围栏 安全交付</p> <p class="level-container">柱柱签收利用电子围栏技术,如果不在指定地点交货,系统会立即报警。</p> </div> </div> <div class="col-md-6 col-xs-12 col-sm-6"> <div class="plate"> <p class="level-title">车牌对比 提送一致</p> <p class="level-container">柱柱签收采用图片识别技术,自动识别提、送货车牌号,与数据库资料进行对比,确保货运车辆的一致性。</p> </div> </div> </div> </div> <div class="level"> <div class="row"> <div class="col-md-6 col-xs-12 col-sm-6"> <div class="delivery"> <p class="level-title">扫码交货 无单签收</p> <p class="level-container">柱柱签收支持按货物明细签收,通过扫码交接,帮您轻松实现电子签收,甚至能通过支付平台帮你代收货款。</p> </div> </div> <div class="col-md-6 col-xs-12 col-sm-6"> <div class="insurance"> <p class="level-title">在线保险 保障全程</p> <p class="level-container">我们与多家保险公司合作基于真实的业务背景,为每票货物提供保险服务,保障货物安全。</p> </div> </div> </div> </div> <div class="level"> <div class="row"> <div class="col-md-6 col-xs-12 col-sm-6"> <div class="credit"> <p class="level-title">信用评估 运力推荐</p> <p class="level-container">柱柱为甲方输出客观的评估报告,包括服务评价、运输公司的KPI、保险状况、银行授信等数据,向甲方企业推荐运力。</p> </div> </div> <div class="col-md-6 col-xs-12 col-sm-6"> <div class="financial"> <p class="level-title">网上金融 轻松融资</p> <p class="level-container">基于真实数据和良好的发展前景,我们与平安银行合作,推出“回单贷”业务,依据柱柱签收的送达照片,触发贷款业务。</p> </div> </div> </div> </div> </div> <div class="partner"> <p class="partner-title">部分合作客户</p> <p class="partner-container">目前柱柱签收网注册用户已达数万人,为数百家公司提供物流运输可视化服务</p> <div class="company"> <div class="row"> <div class="col-md-2 col-xs-6 col-sm-3"> <!--<div class="industry">快消行业:</div>--> <img src="home_page/images/index/industry_kuaixiao.png" title="快消行业" style="margin-top: 20px"> </div> <div class="col-md-2 col-xs-6 col-sm-3"> <img src="home_page/images/index/company_kele.png" title="郑州太古可口可乐" style="margin-top: 20px"> </div> <div class="col-md-2 col-xs-6 col-sm-3"> <img src="home_page/images/index/company_jiahua.png" title="上海家化" style="margin-top: 20px"> </div> <div class="col-md-2 col-xs-6 col-sm-3"> <img src="home_page/images/index/company_bufandi.png" title="不凡帝范梅勒糖果" style="margin-top: 20px"> </div> <div class="col-md-2 col-xs-6 col-sm-3"> <img src="home_page/images/index/company_haizhibao.png" title="孩之宝" style="margin-top: 20px"> </div> </div> </div> <div class="company"> <div class="row"> <div class="col-md-2 col-xs-6 col-sm-3"> <!--<div class="industry">危化行业:</div>--> <img src="home_page/images/index/industry_weihua.png" title="危化行业" style="margin-top: 20px"> </div> <div class="col-md-2 col-xs-6 col-sm-3"> <img src="home_page/images/index/company_zhonghua.png" title="中国中化集团" style="margin-top: 20px"> </div> <div class="col-md-2 col-xs-6 col-sm-3"> <img src="home_page/images/index/company_yehuakongqi.png" title="液化空气集团" style="margin-top: 20px"> </div> <div class="col-md-2 col-xs-6 col-sm-3"> <img src="home_page/images/index/company_zhaohegaofenzi.png" title="昭和高分子集团" style="margin-top: 20px"> </div> </div> </div> <div class="company"> <div class="row"> <div class="col-md-2 col-xs-6 col-sm-3"> <!--<div class="industry">工业行业:</div>--> <img src="home_page/images/index/industry_gongye.png" title="工业行业" style="margin-top: 20px"> </div> <div class="col-md-2 col-xs-6 col-sm-3"> <img src="home_page/images/index/company_minsheng.png" title="长安民生物流" style="margin-top: 20px"> </div> <div class="col-md-2 col-xs-6 col-sm-3"> <img src="home_page/images/index/company_sanling.png" title="三菱" style="margin-top: 20px"> </div> <div class="col-md-2 col-xs-6 col-sm-3"> <img src="home_page/images/index/company_lilezhongguo.png" title="利乐中国" style="margin-top: 20px"> </div> <div class="col-md-2 col-xs-6 col-sm-3"> <img src="home_page/images/index/company_fushishile.png" title="富士施乐" style="margin-top: 20px"> </div> </div> </div> <div class="company"> <div class="row"> <div class="col-md-2 col-xs-6 col-sm-3"> <!--<div class="industry">O2O行业:</div>--> <img src="home_page/images/index/industry_o2o.png" title="o2o行业" style="margin-top: 20px"> </div> <div class="col-md-2 col-xs-6 col-sm-3"> <img src="home_page/images/index/company_houchuguanjia.png" title="后厨管家" style="margin-top: 20px"> </div> <div class="col-md-2 col-xs-6 col-sm-3"> <img src="home_page/images/index/company_youyou.png" title="悠悠果业" style="margin-top: 20px"> </div> </div> </div> </div> <div class="app-download"> <p class="app-download-title"> APP下载</p> <div class="download-button"> <a class="download-ios" href="<%= apple_app_download %>">IOS下载</a> <a class="download-android" href="/zzqs2/toDownloadApp">Android下载</a> </div> <img class="qr-code" src="/zzqs2/appDownloadBarcode"> <form class="download-register" autocomplete="off"> <div class="row"> <div class="col-md-5 col-xs-12 col-sm-12"> <input class="username" name="username" type="text" placeholder="输入邮箱或手机" autocomplete="off"> </div> <div class="col-md-5 col-xs-12 col-sm-12"> <input class="password" name="password" type="password" placeholder="输入密码" autocomplete="off"> </div> <div class="col-md-2 col-xs-12 col-sm-12"> <p class="register">注册</p> </div> </div> <p class="error-tip zz-hidden"></p> </form> </div> <div class="zz-home-footer"></div> </div> </div> </body> </html>
hardylake8020/youka-server
web/home_page/views/index.client.view.html
HTML
mit
13,908
require_relative '../../../spec_helper' require 'matrix' describe "Vector#normalize" do it "returns a normalized copy of the vector" do x = 0.2672612419124244 Vector[1, 2, 3].normalize.should == Vector[x, x * 2, x * 3] end it "raises an error for zero vectors" do lambda { Vector[].normalize }.should raise_error(Vector::ZeroVectorError) lambda { Vector[0, 0, 0].normalize }.should raise_error(Vector::ZeroVectorError) end end
ruby/rubyspec
library/matrix/vector/normalize_spec.rb
Ruby
mit
473
'use strict'; /** * Module dependencies. */ var users = require('../../app/controllers/users'), goaliedash = require('../../app/controllers/goaliedash'); module.exports = function(app) { app.route('/goaliedash') .get(users.requiresLogin, users.hasAuthorization); };
thcmc/412hockey
app/routes/goaliedash.server.routes.js
JavaScript
mit
275
// @flow import React from 'react' import withPropsStream from '@vega/utils/withPropsStream' import {map} from 'rxjs/operators' import styles from './styles/Communicator.css' import ThreadList from './ThreadList' import CreateComment from './CreateComment' function getPropsStream(props$) { // todo: implement open/close behavior return props$.pipe(map(props => ({...props, isOpen: true}))) } type Props = { isOpen: boolean, subjectIds: string[], focusedCommentId: string } export default withPropsStream( getPropsStream, class Communicator extends React.Component<Props> { state = { createCommentIsSticky: false } handleCloseCreateComment = event => { this.setState({ createCommentIsSticky: false }) event.stopPropagation() } handleStickCreateComment = () => { this.setState({ createCommentIsSticky: true }) } render() { const {isOpen, subjectIds, focusedCommentId} = this.props const {createCommentIsSticky} = this.state return isOpen ? ( <div className={styles.root}> <div className={ createCommentIsSticky ? styles.feedWithWithStickyCreateComment : styles.feed } > <ThreadList subjectId={subjectIds} focusedCommentId={focusedCommentId} /> </div> {subjectIds.length === 1 && ( <CreateComment subjectId={subjectIds[0]} showCloseButton={createCommentIsSticky} className={ createCommentIsSticky ? styles.createCommentSticky : styles.createComment } onClose={this.handleCloseCreateComment} onSubmit={this.handleCloseCreateComment} onClick={this.handleStickCreateComment} /> )} </div> ) : null } } )
VegaPublish/vega-studio
packages/@vega/communicator-system/src/components/providers/Communicator.js
JavaScript
mit
1,991
# ember-promise-block This is an Ember Addon that exposes a component `promise-block` which shows a loader while a given promise is being resolved. ## Installing Install as an Ember-CLI addon: ember install ember-promise-block ## Usage // templates/posts.hbs {{#promise-block promise=postsPromise loaderTemplate='helpers/loader'}} {{#each posts as |post|}} {{post.title}} {{/each}} {{/promise-block}} The component will show the partial in `loaderTemplate` while `promise` is not resolved. It then shows the block when it resolves. The default value for `loaderTemplate` is `helpers/loader`. Example controller: // controllers/posts.js import Ember from 'ember'; export default Ember.Controller.extend({ postsPromise: function() { return this.get('store').query('post'); }.property(), posts: Ember.computed.reads('postsPromise.content') }); Example model: // models/post.js import DS from 'ember-data'; export default DS.Model.extend({ title: DS.attr('string') }); ## Example Below is a (fast) example of what the addon does. The loader is displayed until the data is loaded, i.e. the Promise gets resolved. ![ember-promise-block behavior](https://cloud.githubusercontent.com/assets/1374412/12704008/f7855f08-c82f-11e5-9ce3-13794f4664fa.gif) ## Building yourself * `git clone` this repository * `npm install` * `bower install` ## Running Tests * `npm test` (Runs `ember try:testall` to test your addon against multiple Ember versions) * `ember test` * `ember test --server`
Hstry/ember-promise-block
README.md
Markdown
mit
1,597
## Part 3 [![](https://rawgit.com/Bogdan-Lyashenko/Under-the-hood-ReactJS/master/stack/images/3/part-3.svg)](https://rawgit.com/Bogdan-Lyashenko/Under-the-hood-ReactJS/master/stack/images/3/part-3.svg) <em>3.0 第 3 部分 (点击查看大图)</em> ### 挂载 `componentMount` 是我们整个系列中极其重要的一个板块。如图,我们关注 `ReactCompositeComponent.mountComponent` (1) 方法 如果你还记得,我曾提到过 **组件树的入口组件** 是 `TopLevelWrapper` 组件 (React 底层内部类)。我们准备挂载它。由于它实际上是一个空的包装器,调试起来非常枯燥并且对实际的流程而言没有任何影响,所以我们跳过这个组件从他的孩子组件开始分析。 把组件挂载到组件树上的过程就是先挂载父亲组件,然后他的孩子组件,然后他的孩子的孩子组件,依次类推。可以肯定,当 `TopLevelWrapper` 挂载后,他的孩子组件 (用来管理 `ExampleApplication` 的组件 `ReactCompositeComponent`) 也会在同一阶段注入. 现在我们回到步骤 (1) 观察这个方法的内部实现,有一些重要行为会发生,接下来让我们深入研究这些重要行为。 ### 构造 instance 和 updater 从 `transaction.getUpdateQueue()` 结果返回的步骤 (2) 方法 `updater` 实际上就是 `ReactUpdateQueue` 模块。 那么为什么需要在这里构造它呢?因为我们正在研究的类 `ReactCompositeComponent` 是一个全平台的共用的类,但是 `updater` 却依赖于平台环境而不尽相同,所以我们在这里根据不同的平台动态的构造它。 然而,我们现在并不马上需要这个 `updater` ,但是你要记住它是非常重要的,因为它很快就会应用于非常知名的组件内更新方法 **`setState`**。 事实上在这个过程中,不仅仅 `updater` 被构造,组件实例(你的自定义组件)也获得了继承的 `props`, `context`, 和 `refs`. 我们来看下面的代码: ```javascript // \src\renderers\shared\stack\reconciler\ReactCompositeComponent.js#255 // These should be set up in the constructor, but as a convenience for // simpler class abstractions, we set them up after the fact. inst.props = publicProps; inst.context = publicContext; inst.refs = emptyObject; inst.updater = updateQueue; ``` 因此,你才可以通过一个实例从你的代码中获得 `props`,比如 `this.props`。 ### 创建 ExampleApplication 实例 通过调用步骤 (3) 的方法 `_constructComponent` 然后经过几个构造方法的作用后,最终创建了 `new ExampleApplication()`。这就是我们代码中构造方法第一次被执行的时机,当然也是我们的代码第一次实际接触到 React 的生态系统,很棒。 ### 执行首次挂载 接着我们研究步骤 (4),第一个即将发生的行为是 `componentWillMount`(当然仅当它被定义时) 的调用。这是我们遇到的第一个生命周期钩子函数。当然,在下面一点你会看到 `componentDidMount` 函数, 只不过这时由于它不能马上执行,而是被注入了一个事务队列中,在很后面执行。他会在挂载系列操作执行完毕后执行。当然你也可能在 `componentWillMount` 内部调用 `setState`,在这种情况下 `state` 会被重新计算但此时不会调用 `render`。(这是合理的,因为这时候组件还没有被挂载) 官方文档的解释也证明这一点: > `componentWillMount()` 在挂载执行之前执行,他会在 `render()` 之前被调用,因此在这个过程中设置组件状态不会触发重绘。 观察以下的代码 ```javascript // \src\renderers\shared\stack\reconciler\ReactCompositeComponent.js#476 if (inst.componentWillMount) { //.. inst.componentWillMount(); // 当挂载时, 在 `componentWillMount` 中调用的 `setState` 会执行并改变状态 // `this._pendingStateQueue` 不会触发重渲染 if (this._pendingStateQueue) { inst.state = this._processPendingState(inst.props, inst.context); } } ``` 确实如此,但是当 state 被重新计算完成后,会调用我们在组件中申明的 render 方法。再一次接触 “我们的” 代码。 接下来下一步就会创建 React 的组件实例。然后呢?我们已经看见过步骤 (5) `this._instantiateReactComponent` 的调用了,对吗?是的。在那个时候它为我们的 `ExampleApplication` 组件实例化了 `ReactCompositeComponent` ,现在我们准备基于它的 `render` 方法获得的元素作为它的孩子创建 VDOM (虚拟 DOM) 实例,当该实例被创建后,我们会再次调用 `ReactReconciler.mountComponent` ,但是这次我们传入刚刚新创建的 `ReactDOMComponent` 实例 作为`internalInstance` 。 然后继续调用此类中的 `mountComponent` 方法,这样递归往下.. ### 好,**第 3 部分**我们讲完了 我们来回顾一下我们学到的。我们再看一下这种模式,然后去掉冗余的部分: [![](https://rawgit.com/Bogdan-Lyashenko/Under-the-hood-ReactJS/master/stack/images/3/part-3-A.svg)](https://rawgit.com/Bogdan-Lyashenko/Under-the-hood-ReactJS/master/stack/images/3/part-3-A.svg) <em>3.1 第 3 部分简化版 (点击查看大图)</em> 让我们适度在调整一下: [![](https://rawgit.com/Bogdan-Lyashenko/Under-the-hood-ReactJS/master/stack/images/3/part-3-B.svg)](https://rawgit.com/Bogdan-Lyashenko/Under-the-hood-ReactJS/master/stack/images/3/part-3-B.svg) <em>3.2 第 3 部分简化和重构 (点击查看大图)</em> 很好,实际上,下面的示意图就是我们所讲的。因此,我们可以理解**第 3 部分**的本质,并将其用于最终的 `mount` 方案:: [![](https://rawgit.com/Bogdan-Lyashenko/Under-the-hood-ReactJS/master/stack/images/3/part-3-C.svg)](https://rawgit.com/Bogdan-Lyashenko/Under-the-hood-ReactJS/master/stack/images/3/part-3-C.svg) <em>3.3 第 3 部分本质 (点击查看大图)</em> 完成! [下一节: 第 4 部分 >>](./Part-4.md) [<< 上一节: 第 0 部分](./Part-2.md) [主页](../../README.md)
blizzardzheng/Under-the-hood-ReactJS
stack/book/Part-3.md
Markdown
mit
6,096
## Release 1.1.0 ## Breaking Changes * removed cross-spawn dependency ### Features - ([fc25d5e](https://github.com/igniteram/protractor-cli/commit/fc25d5edc09d775f35e356796c19e0425fc936d2)) feat(install modules): added npm progress & async installation ## Release 1.0.1 ### Features - ([7441967](https://github.com/igniteram/protractor-cli/commit/7441967b1ec32e4718a656956c4573fd6245aa7a)) build(commitizen): Added commitizen to the project ### Fixes - ([bb5c6b8](https://github.com/igniteram/protractor-cli/commit/bb5c6b8c837f146c2934d2dc726a5e72f8980c4b)) chore(release):updated package version to 1.0.1 (#23) ## Release 1.0.0 ## Breaking Changes - ([30e1a43](https://github.com/igniteram/protractor-cli/commit/30e1a4336e7a5ec0d55a3458d7452476d5d4683c)) chore(docs):update readme (#19) * Changed the project name to **protractor-cli** * Updated readme with protracto-cli info * Moved the spec files to test folder - ([a49828e](https://github.com/igniteram/protractor-cli/commit/a49828e065355041aa945e206d43162afcd77f3a)) chore(release):updated package name to protractor-cli (#22) * chore(release):updated package name to protractor-cli * chore(release):removed tslint from npmignore ### Features - ([722f9ba](https://github.com/igniteram/protractor-cli/commit/722f9baa1a3e3f40ec1dd51d1557914357edfac5)) chore(modules): added yarn for better package management (#15) - ([0c97bb5](https://github.com/igniteram/protractor-cli/commit/0c97bb5666664d0a56c73c789c3bf673b47b8776)) chore(modules): add linters option to cli (#13) * Added eslint-plugin-protractor & tslint options to cli * Updated all dependencies - ([84859ba](https://github.com/igniteram/protractor-cli/commit/84859ba90e34cb11e3767f0ed744870c65d278ae)) chore(modules):update deprecated coffee-script module (#18) * chore(modules):update deprecated coffee-script module * updated coffee-script to new coffeescript module * chore(tests):fix unit tests for coffeescript - ([c761e6c](https://github.com/igniteram/protractor-cli/commit/c761e6c7540effb5d7994b1d4780e75cdacb413d)) chore(loglevel):replace previous loglevel to config interface (#17) * protractor's new changes support loglevel in config file * added loglevel option in config ejs file ### Fixes - ([90d98e3](https://github.com/igniteram/protractor-cli/commit/90d98e3037f8a8a6707ea6a3b6e730c51e6e6738)) chore(release):updated package.json to 1.0 version (#21) * chore(docs):updated badge links in readme * chore(release):updated package.json to 1.0 version - ([d5509ff](https://github.com/igniteram/protractor-cli/commit/d5509ff3f594e15ec63a09b0f431b5942c6aa3ee)) chore(docs):updated badge links in readme (#20) - ([da30e17](https://github.com/igniteram/protractor-cli/commit/da30e17ffdee0cae998776978aa9f25b8376c93f)) bug(template):fixed cucumber custom framework config (#16) * Added the custom framework option for cucumber * Upgraded the cross-spawn to 6.x - ([722f9ba](https://github.com/igniteram/protractor-cli/commit/722f9baa1a3e3f40ec1dd51d1557914357edfac5)) chore(modules): added yarn for better package management (#15) - ([63b64a0](https://github.com/igniteram/protractor-cli/commit/63b64a00cc1b5f6de66ed58ff6e48058805cc7f8)) Chore(cleanup): Updated license & moduleHelper spec file (#12) * chore(license): updated license year & version * chore(cleanup_specs): Added removeDevModules function in moduleHelper spec - ([05e0874](https://github.com/igniteram/protractor-cli/commit/05e0874343d85cbc8d31f4a69174f6a76efbf260)) chore(cleanup modules):move all modules to dev dependencies (#10) * chore(cleanup modules):move all modules to dev dependencies ## Release 0.2.1 ### Fixes - ([05e0874](https://github.com/igniteram/protractor-cli/commit/05e0874343d85cbc8d31f4a69174f6a76efbf260)) chore(cleanup modules):move all modules to dev dependencies (#10) * chore(cleanup modules):move all modules to dev dependencies * Removed save dependency installation. * Added unit test for module helper * Bumped to version to 0.2.0 * updated circle.yml
igniteram/Cliptor.js
CHANGELOG.md
Markdown
mit
4,128
local d = require "distribution" d6 = d.uniform(6) d20 = d.uniform(20) foo = 2*d6 + d20 -- The basic summary method gives a sorted list of all the outcomes -- and a summary of statistical values print("2d6 + d20") print(foo:summary()) -- Note that tostring(foo) and print(foo) will automatically call summary -- To check the content of the distribution you can use -- the outcomes member, which is a table of probabilities print("Outcomes") for outcome,probability in pairs(foo.outcomes) do print(outcome .. ": " .. probability * 100 .. "%") end print() -- The method sorted_outcomes return a sorted list of pairs {outcome, probability} -- If the outcomes' type is not number, the list is not sorted print("Outcomes again") for _,v in ipairs(foo:sorted_outcomes()) do print(v[1] .. ": " .. v[2]) end print() -- The Cumulative Distribution Function of distribution D is the probability that D <= x print("CDF") for _,v in ipairs(foo:cdf()) do print("foo <= " .. v[1] .. ": " .. v[2]) end print() -- You can also use the shortcut print_cdf print("CDF again") foo:print_cdf() print() -- Finally, individual statistical methods print("Average", foo:average()) print("Standard deviation", foo:deviation()) print("Median", foo:median()) print("Median absolute deviation", foo:median_absolute_deviation()) -- And percentiles/quartiles/deciles/etc. via the nth_iles method print("Thirds", table.concat(foo:nth_iles(3), ", ")) print("Quartiles", table.concat(foo:nth_iles(4), ", ")) print("Deciles", table.concat(foo:nth_iles(10), ", ")) print("Percentiles", table.concat(foo:nth_iles(100), ", "))
Castux/distribution
examples/2. results.lua
Lua
mit
1,616
/* Error handling */ #include "Python.h" void PyErr_Restore(PyObject *type, PyObject *value, PyObject *traceback) { PyThreadState *tstate = PyThreadState_GET(); PyObject *oldtype, *oldvalue, *oldtraceback; /* Save these in locals to safeguard against recursive invocation through Py_XDECREF */ oldtype = tstate->curexc_type; oldvalue = tstate->curexc_value; oldtraceback = tstate->curexc_traceback; tstate->curexc_type = type; tstate->curexc_value = value; tstate->curexc_traceback = traceback; Py_XDECREF(oldtype); Py_XDECREF(oldvalue); Py_XDECREF(oldtraceback); } void PyErr_SetObject(PyObject *exception, PyObject *value) { Py_XINCREF(exception); Py_XINCREF(value); PyErr_Restore(exception, value, (PyObject *)NULL); } void PyErr_SetNone(PyObject *exception) { PyErr_SetObject(exception, (PyObject *)NULL); } void PyErr_SetString(PyObject *exception, const char *string) { PyObject *value = PyString_FromString(string); PyErr_SetObject(exception, value); Py_XDECREF(value); } PyObject * PyErr_Occurred(void) { PyThreadState *tstate = PyThreadState_GET(); return tstate->curexc_type; } int PyErr_GivenExceptionMatches(PyObject *err, PyObject *exc) { if (err == NULL || exc == NULL) { /* maybe caused by "import exceptions" that failed early on */ return 0; } if (PyTuple_Check(exc)) { int i, n; n = PyTuple_Size(exc); for (i = 0; i < n; i++) { /* Test recursively */ if (PyErr_GivenExceptionMatches( err, PyTuple_GET_ITEM(exc, i))) { return 1; } } return 0; } /* err might be an instance, so check its class. */ // if (PyInstance_Check(err)) // err = (PyObject*)((PyInstanceObject*)err)->in_class; //if (PyClass_Check(err) && PyClass_Check(exc)) // return PyClass_IsSubclass(err, exc); return err == exc; } int PyErr_ExceptionMatches(PyObject *exc) { return PyErr_GivenExceptionMatches(PyErr_Occurred(), exc); } /* Used in many places to normalize a raised exception, including in eval_code2(), do_raise(), and PyErr_Print() */ void PyErr_NormalizeException(PyObject **exc, PyObject **val, PyObject **tb) { PyObject *type = *exc; PyObject *value = *val; PyObject *inclass = NULL; PyObject *initial_tb = NULL; if (type == NULL) { /* There was no exception, so nothing to do. */ return; } /* If PyErr_SetNone() was used, the value will have been actually set to NULL. */ if (!value) { value = Py_None; Py_INCREF(value); } if (PyInstance_Check(value)) inclass = (PyObject*)((PyInstanceObject*)value)->in_class; /* Normalize the exception so that if the type is a class, the value will be an instance. */ if (PyClass_Check(type)) { /* if the value was not an instance, or is not an instance whose class is (or is derived from) type, then use the value as an argument to instantiation of the type class. */ if (!inclass || !PyClass_IsSubclass(inclass, type)) { PyObject *args, *res; if (value == Py_None) args = Py_BuildValue("()"); else if (PyTuple_Check(value)) { Py_INCREF(value); args = value; } else args = Py_BuildValue("(O)", value); if (args == NULL) goto finally; res = PyEval_CallObject(type, args); Py_DECREF(args); if (res == NULL) goto finally; Py_DECREF(value); value = res; } /* if the class of the instance doesn't exactly match the class of the type, believe the instance */ else if (inclass != type) { Py_DECREF(type); type = inclass; Py_INCREF(type); } } *exc = type; *val = value; return; finally: Py_DECREF(type); Py_DECREF(value); /* If the new exception doesn't set a traceback and the old exception had a traceback, use the old traceback for the new exception. It's better than nothing. */ initial_tb = *tb; PyErr_Fetch(exc, val, tb); if (initial_tb != NULL) { if (*tb == NULL) *tb = initial_tb; else Py_DECREF(initial_tb); } /* normalize recursively */ PyErr_NormalizeException(exc, val, tb); } void PyErr_Fetch(PyObject **p_type, PyObject **p_value, PyObject **p_traceback) { PyThreadState *tstate = PyThreadState_Get(); *p_type = tstate->curexc_type; *p_value = tstate->curexc_value; *p_traceback = tstate->curexc_traceback; tstate->curexc_type = NULL; tstate->curexc_value = NULL; tstate->curexc_traceback = NULL; } void PyErr_Clear(void) { PyErr_Restore(NULL, NULL, NULL); } /* Convenience functions to set a type error exception and return 0 */ int PyErr_BadArgument(void) { PyErr_SetString(PyExc_TypeError, "bad argument type for built-in operation"); return 0; } PyObject * PyErr_NoMemory(void) { if (PyErr_ExceptionMatches(PyExc_MemoryError)) /* already current */ return NULL; /* raise the pre-allocated instance if it still exists */ if (PyExc_MemoryErrorInst) PyErr_SetObject(PyExc_MemoryError, PyExc_MemoryErrorInst); else /* this will probably fail since there's no memory and hee, hee, we have to instantiate this class */ PyErr_SetNone(PyExc_MemoryError); return NULL; } /* ... */ void _PyErr_BadInternalCall(char *filename, int lineno) { PyErr_Format(PyExc_SystemError, "%s:%d: bad argument to internal function", filename, lineno); } /* Remove the preprocessor macro for PyErr_BadInternalCall() so that we can export the entry point for existing object code: */ #undef PyErr_BadInternalCall void PyErr_BadInternalCall(void) { PyErr_Format(PyExc_SystemError, "bad argument to internal function"); } #define PyErr_BadInternalCall() _PyErr_BadInternalCall(__FILE__, __LINE__) PyObject * PyErr_Format(PyObject *exception, const char *format, ...) { va_list vargs; PyObject* string; va_start(vargs, format); string = PyString_FromFormatV(format, vargs); PyErr_SetObject(exception, string); Py_XDECREF(string); va_end(vargs); return NULL; } PyObject * PyErr_NewException(char *name, PyObject *base, PyObject *dict) { char *dot; PyObject *modulename = NULL; PyObject *classname = NULL; PyObject *mydict = NULL; PyObject *bases = NULL; PyObject *result = NULL; dot = strrchr(name, '.'); if (dot == NULL) { PyErr_SetString(PyExc_SystemError, "PyErr_NewException: name must be module.class"); return NULL; } if (base == NULL) base = PyExc_Exception; if (!PyClass_Check(base)) { /* Must be using string-based standard exceptions (-X) */ return PyString_FromString(name); } if (dict == NULL) { dict = mydict = PyDict_New(); if (dict == NULL) goto failure; } if (PyDict_GetItemString(dict, "__module__") == NULL) { modulename = PyString_FromStringAndSize(name, (int)(dot-name)); if (modulename == NULL) goto failure; if (PyDict_SetItemString(dict, "__module__", modulename) != 0) goto failure; } classname = PyString_FromString(dot+1); if (classname == NULL) goto failure; bases = Py_BuildValue("(O)", base); if (bases == NULL) goto failure; result = PyClass_New(bases, dict, classname); failure: Py_XDECREF(bases); Py_XDECREF(mydict); Py_XDECREF(classname); Py_XDECREF(modulename); return result; } /* Call when an exception has occurred but there is no way for Python to handle it. Examples: exception in __del__ or during GC. */ void PyErr_WriteUnraisable(PyObject *obj) { printf("Unraisable Exception\n"); // PyObject *f, *t, *v, *tb; // PyErr_Fetch(&t, &v, &tb); // f = PySys_GetObject("stderr"); // if (f != NULL) { // PyFile_WriteString("Exception ", f); // if (t) { // PyFile_WriteObject(t, f, Py_PRINT_RAW); // if (v && v != Py_None) { // PyFile_WriteString(": ", f); // PyFile_WriteObject(v, f, 0); // } // } // PyFile_WriteString(" in ", f); // PyFile_WriteObject(obj, f, 0); // PyFile_WriteString(" ignored\n", f); // PyErr_Clear(); /* Just in case */ // } // Py_XDECREF(t); // Py_XDECREF(v); // Py_XDECREF(tb); } extern PyObject *PyModule_GetWarningsModule(); /* Function to issue a warning message; may raise an exception. */ int PyErr_Warn(PyObject *category, char *message) { PyObject *dict, *func = NULL; PyObject *warnings_module = PyModule_GetWarningsModule(); if (warnings_module != NULL) { dict = PyModule_GetDict(warnings_module); func = PyDict_GetItemString(dict, "warn"); } if (func == NULL) { printf("warning: %s\n", message); return 0; } else { PyObject *args, *res; if (category == NULL) category = PyExc_RuntimeWarning; args = Py_BuildValue("(sO)", message, category); if (args == NULL) return -1; res = PyEval_CallObject(func, args); Py_DECREF(args); if (res == NULL) return -1; Py_DECREF(res); return 0; } }
jtauber/cleese
necco/python/Python/errors.c
C
mit
8,613
/* * Copyright (c) 2014-2022 The Voxie Authors * * 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. */ #pragma once #include <VoxieBackend/VoxieBackend.hpp> #include <VoxieBackend/Data/Data.hpp> #include <VoxieClient/ObjectExport/Client.hpp> #include <VoxieClient/ObjectExport/ExportedObject.hpp> #include <QtCore/QPointer> #include <QtDBus/QDBusAbstractAdaptor> #include <QtDBus/QDBusObjectPath> namespace vx { class NodePrototype; namespace io { class Operation; class RunFilterOperation; } // namespace io class Exception; class ExternalOperationAdaptorImpl; class VOXIEBACKEND_EXPORT ExternalOperation : public vx::RefCountedObject { Q_OBJECT REFCOUNTEDOBJ_DECL(ExternalOperation) friend class ExternalOperationAdaptorImpl; QPointer<vx::Client> client = nullptr; QSharedPointer<vx::io::Operation> operation_; protected: // TODO: Get rid of this / replace it by operation()->isFinished()? bool isFinished = false; void checkClient(); virtual void cleanup(); public: explicit ExternalOperation( const QSharedPointer<vx::io::Operation>& operation); ~ExternalOperation() override; QWeakPointer<QSharedPointer<ExternalOperation>> initialReference; virtual QString action() = 0; virtual QString name() = 0; const QSharedPointer<vx::io::Operation>& operation() const { return operation_; } bool isClaimed(); Q_SIGNALS: void error(const vx::Exception& error); // Emitted when the operation is claimed void claimed(); }; // TODO: Should probably be moved to ExtensionImporter / ExtensionExporter class ExternalOperationImportAdaptorImpl; class VOXIEBACKEND_EXPORT ExternalOperationImport : public ExternalOperation { Q_OBJECT REFCOUNTEDOBJ_DECL(ExternalOperationImport) friend class ExternalOperationImportAdaptorImpl; QString filename_; QMap<QString, QDBusVariant> properties_; QString name_; public: explicit ExternalOperationImport( const QSharedPointer<vx::io::Operation>& operation, const QString& filename, const QMap<QString, QDBusVariant>& properties, const QString& name); ~ExternalOperationImport() override; QString action() override; QString name() override; const QString& filename() { return filename_; } const QMap<QString, QDBusVariant>& properties() { return properties_; } Q_SIGNALS: void finished(const QSharedPointer<vx::Data>& data); }; class ExternalOperationExportAdapterImpl; class VOXIEBACKEND_EXPORT ExternalOperationExport : public ExternalOperation { Q_OBJECT REFCOUNTEDOBJ_DECL(ExternalOperationExport) friend class ExternalOperationExportAdaptorImpl; QString filename_; QString name_; QSharedPointer<vx::Data> data_; public: explicit ExternalOperationExport( const QSharedPointer<vx::io::Operation>& operation, const QString& filename, const QString& name, const QSharedPointer<vx::Data>& data); ~ExternalOperationExport() override; QString action() override; QString name() override; // TODO: data const QString& filename() { return filename_; } const QSharedPointer<vx::Data>& data() { return data_; } Q_SIGNALS: void finished(); }; } // namespace vx
voxie-viewer/voxie
src/VoxieBackend/Component/ExternalOperation.hpp
C++
mit
4,192
var models = require('../models'); var express = require('express'); var router = express.Router(); /* GET home page. */ router.get('/', function(req, res, next) { console.log(req.session); res.render('layout'); }); module.exports = router;
NUSPartTime/NUSPartTime
routes/index.js
JavaScript
mit
248
<!DOCTYPE html> <html lang="en"> <head> <meta charset="utf-8"> <meta name="viewport" content="width=device-width, initial-scale=1"> <title>unicoq: Not compatible 👼</title> <link rel="shortcut icon" type="image/png" href="../../../../../favicon.png" /> <link href="../../../../../bootstrap.min.css" rel="stylesheet"> <link href="../../../../../bootstrap-custom.css" rel="stylesheet"> <link href="//maxcdn.bootstrapcdn.com/font-awesome/4.2.0/css/font-awesome.min.css" rel="stylesheet"> <script src="../../../../../moment.min.js"></script> <!-- HTML5 Shim and Respond.js IE8 support of HTML5 elements and media queries --> <!-- WARNING: Respond.js doesn't work if you view the page via file:// --> <!--[if lt IE 9]> <script src="https://oss.maxcdn.com/html5shiv/3.7.2/html5shiv.min.js"></script> <script src="https://oss.maxcdn.com/respond/1.4.2/respond.min.js"></script> <![endif]--> </head> <body> <div class="container"> <div class="navbar navbar-default" role="navigation"> <div class="container-fluid"> <div class="navbar-header"> <a class="navbar-brand" href="../../../../.."><i class="fa fa-lg fa-flag-checkered"></i> Coq bench</a> </div> <div id="navbar" class="collapse navbar-collapse"> <ul class="nav navbar-nav"> <li><a href="../..">clean / released</a></li> <li class="active"><a href="">8.7.1 / unicoq - 1.0.0</a></li> </ul> </div> </div> </div> <div class="article"> <div class="row"> <div class="col-md-12"> <a href="../..">« Up</a> <h1> unicoq <small> 1.0.0 <span class="label label-info">Not compatible 👼</span> </small> </h1> <p>📅 <em><script>document.write(moment("2022-02-24 17:13:48 +0000", "YYYY-MM-DD HH:mm:ss Z").fromNow());</script> (2022-02-24 17:13:48 UTC)</em><p> <h2>Context</h2> <pre># Packages matching: installed # Name # Installed # Synopsis base-bigarray base base-threads base base-unix base camlp5 7.14 Preprocessor-pretty-printer of OCaml conf-findutils 1 Virtual package relying on findutils conf-perl 2 Virtual package relying on perl coq 8.7.1 Formal proof management system num 1.4 The legacy Num library for arbitrary-precision integer and rational arithmetic ocaml 4.06.1 The OCaml compiler (virtual package) ocaml-base-compiler 4.06.1 Official 4.06.1 release ocaml-config 1 OCaml Switch Configuration ocamlfind 1.9.3 A library manager for OCaml # opam file: opam-version: &quot;2.0&quot; maintainer: &quot;matthieu.sozeau@inria.fr&quot; authors: [ &quot;Matthieu Sozeau &lt;matthieu.sozeau@inria.fr&gt;&quot; &quot;Beta Ziliani &lt;bziliani@famaf.unc.edu.ar&gt;&quot; ] dev-repo: &quot;git+https://github.com/unicoq/unicoq.git&quot; homepage: &quot;https://github.com/unicoq/unicoq&quot; bug-reports: &quot;https://github.com/unicoq/unicoq/issues&quot; license: &quot;MIT&quot; build: [ [&quot;coq_makefile&quot; &quot;-f&quot; &quot;Make&quot; &quot;-o&quot; &quot;Makefile&quot;] [make &quot;-j%{jobs}%&quot;] ] install: [ [make &quot;install&quot;] ] remove: [&quot;rm&quot; &quot;-R&quot; &quot;%{lib}%/coq/user-contrib/Unicoq&quot;] depends: [ &quot;ocaml&quot; &quot;coq&quot; {&gt;= &quot;8.5.0&quot; &amp; &lt; &quot;8.6~&quot; &amp; != &quot;8.5.2~camlp4&quot;} ] synopsis: &quot;An enhanced unification algorithm for Coq&quot; flags: light-uninstall url { src: &quot;https://github.com/unicoq/unicoq/archive/v1.0.tar.gz&quot; checksum: &quot;md5=3473aadc43e9fce82775fe3888347f93&quot; } </pre> <h2>Lint</h2> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>true</code></dd> <dt>Return code</dt> <dd>0</dd> </dl> <h2>Dry install 🏜️</h2> <p>Dry install with the current Coq version:</p> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>opam install -y --show-action coq-unicoq.1.0.0 coq.8.7.1</code></dd> <dt>Return code</dt> <dd>5120</dd> <dt>Output</dt> <dd><pre>[NOTE] Package coq is already installed (current version is 8.7.1). The following dependencies couldn&#39;t be met: - coq-unicoq -&gt; coq &lt; 8.6~ -&gt; ocaml &lt; 4.06.0 base of this switch (use `--unlock-base&#39; to force) No solution found, exiting </pre></dd> </dl> <p>Dry install without Coq/switch base, to test if the problem was incompatibility with the current Coq/OCaml version:</p> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>opam remove -y coq; opam install -y --show-action --unlock-base coq-unicoq.1.0.0</code></dd> <dt>Return code</dt> <dd>0</dd> </dl> <h2>Install dependencies</h2> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>true</code></dd> <dt>Return code</dt> <dd>0</dd> <dt>Duration</dt> <dd>0 s</dd> </dl> <h2>Install 🚀</h2> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>true</code></dd> <dt>Return code</dt> <dd>0</dd> <dt>Duration</dt> <dd>0 s</dd> </dl> <h2>Installation size</h2> <p>No files were installed.</p> <h2>Uninstall 🧹</h2> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>true</code></dd> <dt>Return code</dt> <dd>0</dd> <dt>Missing removes</dt> <dd> none </dd> <dt>Wrong removes</dt> <dd> none </dd> </dl> </div> </div> </div> <hr/> <div class="footer"> <p class="text-center"> Sources are on <a href="https://github.com/coq-bench">GitHub</a> © Guillaume Claret 🐣 </p> </div> </div> <script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"></script> <script src="../../../../../bootstrap.min.js"></script> </body> </html>
coq-bench/coq-bench.github.io
clean/Linux-x86_64-4.06.1-2.0.5/released/8.7.1/unicoq/1.0.0.html
HTML
mit
6,726
<!DOCTYPE html> <html lang="en"> <head> <meta charset="utf-8"> <meta name="viewport" content="width=device-width, initial-scale=1.0"> <meta name="generator" content="rustdoc"> <meta name="description" content="API documentation for the Rust `FromUtf8Error` struct in crate `collections`."> <meta name="keywords" content="rust, rustlang, rust-lang, FromUtf8Error"> <title>collections::string::FromUtf8Error - Rust</title> <link rel="stylesheet" type="text/css" href="../../main.css"> <link rel="shortcut icon" href="http://www.rust-lang.org/favicon.ico"> </head> <body class="rustdoc"> <!--[if lte IE 8]> <div class="warning"> This old browser is unsupported and will most likely display funky things. </div> <![endif]--> <section class="sidebar"> <a href='../../collections/index.html'><img src='http://www.rust-lang.org/logos/rust-logo-128x128-blk-v2.png' alt='' width='100'></a> <p class='location'><a href='../index.html'>collections</a>::<wbr><a href='index.html'>string</a></p><script>window.sidebarCurrent = {name: 'FromUtf8Error', ty: 'struct', relpath: ''};</script><script defer src="sidebar-items.js"></script> </section> <nav class="sub"> <form class="search-form js-only"> <div class="search-container"> <input class="search-input" name="search" autocomplete="off" placeholder="Click or press 'S' to search, '?' for more options..." type="search"> </div> </form> </nav> <section id='main' class="content struct"> <h1 class='fqn'><span class='in-band'>Struct <a href='../index.html'>collections</a>::<wbr><a href='index.html'>string</a>::<wbr><a class='struct' href=''>FromUtf8Error</a><wbr><a class='stability Stable' title=''>Stable</a></span><span class='out-of-band'><span id='render-detail'> <a id="collapse-all" href="#">[-]</a>&nbsp;<a id="expand-all" href="#">[+]</a> </span><a id='src-26993' href='../../src/collections/string.rs.html#45-48'>[src]</a></span></h1> <pre class='rust struct'>pub struct FromUtf8Error { // some fields omitted }</pre><div class='docblock'><p>A possible error value from the <code>String::from_utf8</code> function.</p> </div><h2 id='methods'>Methods</h2><h3 class='impl'><a class='stability Unstable' title='Unstable'></a><code>impl <a class='struct' href='../../collections/string/struct.FromUtf8Error.html' title='collections::string::FromUtf8Error'>FromUtf8Error</a></code></h3><div class='impl-items'><h4 id='method.into_bytes' class='method'><a class='stability Stable' title='Stable'></a><code>fn <a href='#method.into_bytes' class='fnname'>into_bytes</a>(self) -&gt; <a class='struct' href='../../collections/vec/struct.Vec.html' title='collections::vec::Vec'>Vec</a>&lt;<a href='../../core/primitive.u8.html'>u8</a>&gt;</code></h4> <div class='docblock'><p>Consume this error, returning the bytes that were attempted to make a <code>String</code> with.</p> </div><h4 id='method.utf8_error' class='method'><a class='stability Stable' title='Stable'></a><code>fn <a href='#method.utf8_error' class='fnname'>utf8_error</a>(&amp;self) -&gt; <a class='enum' href='../../collections/str/enum.Utf8Error.html' title='collections::str::Utf8Error'>Utf8Error</a></code></h4> <div class='docblock'><p>Access the underlying UTF8-error that was the cause of this error.</p> </div></div><h2 id='implementations'>Trait Implementations</h2><h3 class='impl'><a class='stability Stable' title='Stable'></a><code>impl <a class='trait' href='../../collections/fmt/trait.Display.html' title='collections::fmt::Display'>Display</a> for <a class='struct' href='../../collections/string/struct.FromUtf8Error.html' title='collections::string::FromUtf8Error'>FromUtf8Error</a></code></h3><div class='impl-items'><h4 id='method.fmt' class='method'><a class='stability Stable' title='Stable'></a><code>fn <a href='#method.fmt' class='fnname'>fmt</a>(&amp;self, f: &amp;mut <a class='struct' href='../../collections/fmt/struct.Formatter.html' title='collections::fmt::Formatter'>Formatter</a>) -&gt; <a class='type' href='../../collections/fmt/type.Result.html' title='collections::fmt::Result'>Result</a></code></h4> </div><h3 class='impl'><a class='stability Stable' title='Stable'></a><code>impl <a class='trait' href='../../core/error/trait.Error.html' title='core::error::Error'>Error</a> for <a class='struct' href='../../collections/string/struct.FromUtf8Error.html' title='collections::string::FromUtf8Error'>FromUtf8Error</a></code></h3><div class='impl-items'><h4 id='method.description' class='method'><a class='stability Unstable' title='Unstable: the exact API of this trait may change'></a><code>fn <a href='#method.description' class='fnname'>description</a>(&amp;self) -&gt; &amp;<a href='../primitive.str.html'>str</a></code></h4> <h4 id='method.cause' class='tymethod'><a class='stability Unstable' title='Unstable: the exact API of this trait may change'></a><code>fn <a href='#tymethod.cause' class='fnname'>cause</a>(&amp;self) -&gt; <a class='enum' href='../../core/option/enum.Option.html' title='core::option::Option'>Option</a>&lt;&amp;<a class='trait' href='../../core/error/trait.Error.html' title='core::error::Error'>Error</a>&gt;</code></h4> </div><h3 id='derived_implementations'>Derived Implementations </h3><h3 class='impl'><a class='stability Stable' title='Stable'></a><code>impl <a class='trait' href='../../collections/fmt/trait.Debug.html' title='collections::fmt::Debug'>Debug</a> for <a class='struct' href='../../collections/string/struct.FromUtf8Error.html' title='collections::string::FromUtf8Error'>FromUtf8Error</a></code></h3><div class='impl-items'><h4 id='method.fmt' class='method'><a class='stability Stable' title='Stable'></a><code>fn <a href='#method.fmt' class='fnname'>fmt</a>(&amp;self, __arg_0: &amp;mut <a class='struct' href='../../collections/fmt/struct.Formatter.html' title='collections::fmt::Formatter'>Formatter</a>) -&gt; <a class='type' href='../../collections/fmt/type.Result.html' title='collections::fmt::Result'>Result</a></code></h4> </div></section> <section id='search' class="content hidden"></section> <section class="footer"></section> <div id="help" class="hidden"> <div class="shortcuts"> <h1>Keyboard shortcuts</h1> <dl> <dt>?</dt> <dd>Show this help dialog</dd> <dt>S</dt> <dd>Focus the search field</dd> <dt>&larrb;</dt> <dd>Move up in search results</dd> <dt>&rarrb;</dt> <dd>Move down in search results</dd> <dt>&#9166;</dt> <dd>Go to active search result</dd> </dl> </div> <div class="infos"> <h1>Search tricks</h1> <p> Prefix searches with a type followed by a colon (e.g. <code>fn:</code>) to restrict the search to a given type. </p> <p> Accepted types are: <code>fn</code>, <code>mod</code>, <code>struct</code>, <code>enum</code>, <code>trait</code>, <code>typedef</code> (or <code>tdef</code>). </p> </div> </div> <script> window.rootPath = "../../"; window.currentCrate = "collections"; window.playgroundUrl = "http://play.rust-lang.org/"; </script> <script src="../../jquery.js"></script> <script src="../../main.js"></script> <script src="../../playpen.js"></script> <script async src="../../search-index.js"></script> </body> </html>
ArcherSys/ArcherSys
Rust/share/doc/rust/html/collections/string/struct.FromUtf8Error.html
HTML
mit
7,777
* { margin: 0; padding: 0; } body { margin: 0; padding: 0; font: 12px Arial, Helvetica, sans-serif; color: #333; background: #fff url(images/bg_body.jpg) repeat-x; } img { border: none; } p { margin: 0; padding: 8px 0; } a, object, a:focus { outline: none; } h1, h2, h3, h4 { margin: 0; padding: 0; } a { text-decoration: none; } a:hover { text-decoration: underline; } iframe { width: 464px; height: 171px; border: #aa9e87 solid 1px; } .actualidad { float: left; width: 305px; margin: 0 13px 0 0; color: #0a72a9; font-size: 11px; position: relative; } .actualidad a { color: #0a72a9; font-size: 14px; } .actualidad h4 { margin: 0 0 4px 0; } .alignDcha { float: right; position: relative; right: -24px; } .ampliada { float: left; padding: 0 0 14px 0; } .ampliada img { } .anular { border: none; background: #a1a1a1; color: #fffefe; font-size: 10px; height: 17px; line-height: 17px; width: 114px; cursor: hand; cursor: pointer; } .ajuste { width: 1064px; margin: 0 auto; overflow: visible; } .ajusteCarrito { width: 656px; margin: 0 auto; overflow: hidden; background: url(images/bg_carrito_int.jpg) no-repeat; padding: 0 0 0 332px; } .ajusteContacto { width: 988px; margin: 0 auto; overflow: hidden; padding: 17px 0; } .ajusteIndex { width: 965px; margin: 0 auto; overflow: hidden; position: relative; height: 214px; padding: 0 0 0 23px; } .ajustePie { width: 988px; margin: 0 auto; overflow: hidden; position: relative; height: 249px; } .azulBold { color: #0a72a9; font-weight: bold; } .banner { float: left; padding: 11px 0; } .barraLisa { width: 100%; background: #f2f2f2; border-top: #adadad solid 1px; border-bottom: #bbb solid 1px; overflow: hidden; padding: 10px 0 9px 0; } .barraLisa2 { width: 100%; background: #f2f2f2; border-top: #adadad solid 1px; border-bottom: #bbb solid 1px; overflow: hidden; } .barraLisaInt { width: 988px; margin: 0 auto; overflow: hidden; padding: 10px 0 9px 0; background: url(images/bg_lisa2.gif) right top no-repeat; } .blanco, a.blanco { color: #fff; } .borde { border-bottom: #b2b2b2 solid 1px; height: 3px; overflow: hidden; } .bordeDcha { border-right: #505456 solid 1px; } .bqPortada { float: left; width: 941px; margin: 0 0 0 22px; padding: 7px 0 10px 0; } .bordeGris { border-bottom: #bbb solid 1px; padding: 11px 0; float: left; width: 100%; margin: 0 0 15px 0; } .btCol2 { width: 133px !important; height: 24px; color: #fff !important; font-weight: bold; border: none !important; background: url(images/bt_col2.jpg) no-repeat !important; font-size: 11px !important; margin: 17px 0 0 0 !important; line-height: 24px; padding: 0 !important; cursor: hand; cursor: pointer; } .buscador { width: 798px; margin: 0 0 0 19px; overflow: hidden; height: 32px; background: url(images/bg_buscador.gif) 0px 16px no-repeat; padding: 8px 0 0 162px; } .buscador input, .buscador select { float: left; color: #999; font: 13px Arial, Helvetica, sans-serif; border: #e3e3e3 solid 1px; background: #f8f8f8; margin: 0 13px 0 0; } .buscador input { height: 16px; padding: 2px 8px; width: 289px; } .buscador select { height: 22px; width: 305px; } .buscar { width: 69px !important; height: 24px !important; border: none !important; background: url(images/buscar.jpg) no-repeat !important; } .cabeCarrito { float: left; width: 676px; height: 46px; overflow: hidden; text-align: right; background: url(images/carrito.gif) 517px 0px no-repeat; } /* .cabecera { width: 982px; margin: 0 auto; overflow: hidden; background: url(images/bg_cabecera.jpg) 490px 45px no-repeat; padding: 12px 0 0 6px; height: 79px; } */ .cabecera { width: 982px; margin: 0 auto; overflow: hidden; background: url(images/bg_cabecera.png) 470px 10px no-repeat; padding: 12px 0 0 6px; height: 79px; } .cancelar { border: none !important; background: url(images/bg_cancelar.jpg) no-repeat !important; color: #fff !important; font-size: 11px !important; font-weight: bold; height: 24px; line-height: 24px; width: 87px !important; margin: 12px 16px 20px 0 !important; padding: 0 !important; cursor: hand; cursor: pointer; } .carrito { width: 100%; background: url(images/bg_carrito.jpg) repeat-x; height: 111px; overflow: hidden; } .carritoDcha { float: left; width: 143px; background: url(images/bg_carrito_dcha.gif) 9px 16px no-repeat; padding: 38px 0 0 16px; font-weight: bold; font-size: 12px; color: #044364; } .carritoDcha input { float: left; width: 80px; height: 24px; background: url(images/comprar.gif) no-repeat; margin: 6px 0 0 0; border: none; cursor: hand; cursor: pointer; } .carritoScroll { float: left; width: 476px; height: 100px; border-right: #bbb solid 1px; border-left: #bbb solid 1px; overflow-x: hidden; overflow-y: auto; padding: 11px 0 0 0; font-size: 11px; } .carritoScroll table { border-top: #bbb solid 1px; } .carritoScroll td { margin: 0; padding: 2px 0 2px 12px; border-bottom: #bbb solid 1px; } .col1 { float: left; width: 478px; padding: 12px 0 0 0; } .col2 { float: left; width: 306px; padding: 12px 0 0 0; } .col2 h4 { color: #044364; font-size: 30px; } .col2 input { font-size: 13px; color: #333; background: #e9e9e9; border: #ababab solid 1px; width: 130px; margin: 3px 0; } .col2 select { font-size: 13px; color: #333; background: #e9e9e9; border: #ababab solid 1px; width: 209px; margin: 3px 0; } .contacto { float: left; width: 422px; padding: 0 65px 0 0; font-size: 11px; color: #666; } .contacto a { color: #f93; font-weight: bold; } .contacto strong { color: #999; } .contacto input, .contacto select, .contacto textarea { font: 11px Arial, Helvetica, sans-serif; color: #999; border: #aaa solid 1px; padding: 2px; margin: 0 0 2px 0; } .contacto h3 { color: #f93; font-size: 26px; font-family: "Trebuchet MS"; letter-spacing: -1px; padding: 20px 0 5px 0; } .contContacto { float: left; width: 975px; background: url(images/bg_contacta.gif) repeat-y; padding: 0 0 0 13px; overflow: hidden; } .contTiendas { float: left; width: 988px; background: url(images/bg_tiendas.gif) repeat-y; overflow: hidden; } .dcha { float: left; width: 802px; padding: 9px 0 12px 13px; } #dipro { position: absolute; right: 0px; top: 155px; } .direccion { float: left; width: 148px; padding: 25px 11px 0 13px; } .disponibilidad { float: left; margin: 4px 4px 0 0; } .div1 { float: left; width: 448px; height: 253px; border-right: #bbb solid 1px; margin: 0 0 0 27px; padding: 7px 15px 0 0; } .div2 { float: left; width: 490px; height: 253px; overflow: hidden; padding: 7px 0 0 0; position: relative; } .enviar { color: #000 !important; background: #eee; font-size: 12px !important; } .fichaG { float: left; width: 291px; height: 140px; background: #e5e5e5; padding: 6px 6px 0 6px; border: #d9d9d9 solid 1px; margin: 0 13px 13px 0; font-family: Tahoma, sans-serif; color: #044364; font-size: 11px; position: relative; } .fichaG a { color: #044364; font-size: 13px; font-weight: bold; } .fichaG h4 a { text-transform:uppercase; font-size:10px } .fichaG h4 { padding: 4px 0 4px 0; } .fichaP { float: left; width: 132px; height: 193px; border: #d9d9d9 solid 1px; background: url(images/bg_ficha.jpg) bottom repeat-x; margin: 0 13px 13px 0; padding: 6px 6px 0 6px; font-family: Tahoma, sans-serif; color: #044364; font-size: 11px; } .fichaP h4 a{font-size:10px!important; text-transform:uppercase;} .fichaP a { color: #044364; font-size: 13px; font-weight: bold; float: left; width: 100%; margin: 4px 0; } .productos .fichaP { height: 207px; padding: 4px 6px 0 6px; margin: 0 13px 11px 0; } .fichaSlide { float: left; width: 471px; height: 214px; overflow: hidden; background: url(images/bg_ficha_slide.gif) bottom right no-repeat; position: relative; font-family: "Trebuchet MS"; } .fichaSlide img { position: absolute; left: 0px; } .fichaSlide table { position: absolute; left: 211px; width: 246px; } .flashContenedor { width: 100%; background: url(images/bg_flash.jpg) repeat-x; height: 214px; overflow: hidden; padding: 3px 0; } #flechaD { position: absolute; left: 479px; top: 123px; background: url(images/flecha_dcha.gif) no-repeat; width: 11px; height: 22px; } #flechaD2 { position: absolute; left: 360px; top: 1px; background: url(images/flecha_dcha.gif) no-repeat; width: 11px; height: 22px; } #flechaD3 { position: absolute; left: 963px; top: 46px; width: 16px; height: 114px; border-left: #bbb solid 1px; padding: 54px 0 0 6px; } #flechaD:hover, #flechaD2:hover { background: url(images/flecha_dcha_on.gif) no-repeat; } #flechaI { position: absolute; left: 0px; top: 123px; background: url(images/flecha_izda.gif) no-repeat; width: 11px; height: 22px; } #flechaI2 { position: absolute; left: 337px; top: 1px; background: url(images/flecha_izda.gif) no-repeat; width: 11px; height: 22px; } #flechaI:hover, #flechaI2:hover { background: url(images/flecha_izda_on.gif) no-repeat; } #flechaI3 { position: absolute; left: 0px; top: 46px; width: 22px; height: 114px; border-right: #bbb solid 1px; padding: 54px 0 0 0; } .flotante { background: #fff; padding: 40px 60px; } .flotante h1 { color: #044364; border-bottom: #ccc solid 1px; padding: 5px 0; font-size: 28px; margin: 10px 0; } .flotante ul { padding: 0; margin: 5px 0 5px 35px; } .flotante strong { color: #ff9933; font-size: 14px; } .flotante a { color: #ff9933; font-weight: bold; } .fontSize20 { font-size: 20px; font-weight: bold; } .fontSize10 { font-size: 10px; } .fontSize12 { font-size: 12px; } .fontSize16 { font-size: 16px; } .gastos { border: #ccc solid 1px; border-collapse: collapse; margin: 20px 0; } .gastos td { border: #ccc solid 1px; border-collapse: collapse; padding: 4px; } .gastos .cabe { background: #7e7a7a; color: #fff; font-weight: bold; font-size: 14px; } .horario { float: left; width: 146px; border-right: #575656 solid 1px; height: 161px; padding: 25px 0 0 0; } .imageA { float: left; padding: 6px; border: #d9d9d9 solid 1px; margin: 0 8px 0 0; min-width: 140px; min-height: 105px; } .imageA img { border: #d9d9d9 solid 1px; /*width: 140px;*/ } .imageG { border: #d9d9d9 solid 1px; width: 140px; height: 130px; float: left; margin: 0 11px 0 0; } .imageG a { margin: 0 !important; } .imageG img { width: 140px; height: 130px; } .imageP { border: #b7b7b7 solid 1px; border-bottom: #ff3900 solid 3px; width: 130px; height: 130px; position: relative; overflow: hidden; } .imageP img { position: absolute; left: -5px; top: -1px; min-height: 130px; } .interior100 { width: 100%; height: 41px; background: url(images/interior100.jpg) repeat-x; overflow: hidden; } .interior100 h2 { margin: 0; padding: 0 0 0 11px; line-height: 41px; color: #999; font-size: 26px; letter-spacing: -1px; } .interiorCarrito { float: left; width: 787px; padding: 10px 0 16px 15px; overflow: hidden; position: relative; background: url(images/bg_carrito2.gif) no-repeat; margin: 29px 0 0 0; } .carritoVacio { float: left; width: 787px; padding: 10px 0 16px 15px; overflow: hidden; position: relative; margin: 29px 0 0 0; display: none; } .izda { float: left; width: 171px; } .leerMas { position: absolute; width: 54px; height: 24px; background: url(images/leer_mas.jpg) no-repeat; left: 160px; top: 100px; } .legales { position: absolute; bottom: 8px; left: 27px; width: 782px; height: 27px; background: url(images/bg_legales.jpg) no-repeat; text-align: center; color: #999; line-height: 25px; } .legales a { color: #999 !important; } .listado { float: left; width: 220px; border-top: #d9d9d9 solid 1px; margin: 0 7px 10px 0; } .listado ul { margin: 0; padding: 0; } .listado li { margin: 0; padding: 0; list-style: none; } .listado a { color: #0a72a9; font-size: 11px; font-weight: normal; padding: 5px 0 4px 5px; width: 215px; border-bottom: #d9d9d9 solid 1px; float: left; } .listado a:hover { color: #fff; text-decoration: none; background: #f93; } .logoInferior { float: left; width: 158px; border-right: #575656 solid 1px; height: 141px; padding: 25px 0 0 15px; } .menu { /*float: left;*/ width: 1064px; margin: 0 auto; height: 57px; border-left: #bbb solid 1px; } .menu a { float: left; height: 56px; } #m_0 { width: 65px; background: url(images/m_0.jpg) no-repeat; } #m_0:hover { background: url(images/m_0_on.jpg) no-repeat; } #m_1 { width: 115px; background: url(images/m_1.jpg) no-repeat; } #m_1:hover { background: url(images/m_1_on.jpg) no-repeat; } #m_2 { width: 131px; background: url(images/m_2.jpg) no-repeat; } #m_2:hover { background: url(images/m_2_on.jpg) no-repeat; } #m_3 { /* width: 75px;*/ width:69px; background: url(images/m_3.jpg) no-repeat; } #m_3:hover { background: url(images/m_3_on.jpg) no-repeat; } #m_4 { /*width: 101px;*/ width:84px; background: url(images/m_4.jpg) no-repeat; } #m_4:hover { background: url(images/m_4_on.jpg) no-repeat; } #m_5 { /*width: 127px;*/ width: 139px; background: url(images/m_5.jpg) no-repeat; } #m_5:hover { background: url(images/m_5_on.jpg) no-repeat; } #m_6 { /*width: 137px;*/ width: 164px; background: url(images/m_6.jpg) no-repeat; } #m_6:hover { background: url(images/m_6_on.jpg) no-repeat; } #m_7 { /*width: 88px;*/ width: 90px; background: url(images/m_7.jpg) no-repeat; } #m_7:hover { background: url(images/m_7_on.jpg) no-repeat; } #m_8 { /*width: 80px;*/ width: 79px; background: url(images/m_8.jpg) no-repeat; } #m_8:hover { background: url(images/m_8_on.jpg) no-repeat; } #m_9 { /*width: 80px;*/ width: 75px; background: url(images/m_9.jpg) no-repeat; } #m_9:hover { background: url(images/m_9_on.jpg) no-repeat; } #m_10 { width: 101px; background: url(images/m_10.jpg) no-repeat; } #m_10:hover { background: url(images/m_10_on.jpg) no-repeat; } #m_11 { width: 84px; background: url(images/m_11.jpg) no-repeat; } #m_11:hover { background: url(images/m_11_on.jpg) no-repeat; } .menu100 { width: 100%; background: url(images/bg_menu.gif) repeat-x; } .menuLateral { float: left; width: 171px; border: #bbb solid 1px; border-top: none; border-bottom: none; background: #f2f2f2; } .menuLateral a { float: left; width: 157px; font-size: 11px; color: #0a72a9; padding: 9px 0 6px 14px; border-bottom: #adadad solid 1px; background: #f2f2f2; } .menuLateral a:hover { text-decoration: none; background: #0a72a9; color: #fff; } .miniaturas { float: left; width: 100%; padding: 10px 0; } .miniaturas img { float: left; margin: 0 10px 10px 0; border: #bbb solid 1px; } .negro14 { color: #000; font-size: 14px; } .nombre { height: 88px; vertical-align: bottom; color: #999; font-size: 30px; font-weight: bold; line-height: 26px; padding: 0 0 4px 0; } .nombre a { color: #999; } .nombre a:hover { text-decoration: none; color: #0a72a9; } .noticias { float: left; width: 468px; padding: 0 25px 0 0; font-size: 14px; color: #666; } .noticias a { color: #f93; font-weight: bold; } .noticias .pag { float: left; width: 100%; border-bottom: #bbb solid 1px; background: #f2f2f2; text-align: center; height: 39px; line-height: 39px; color: #f93; font-weight: bold; } .noticias h2 { font-size: 14px; margin: 0; padding: 0 0 8px 0; border-bottom: #bbb solid 1px; color: #f93; } .pag a { margin: 0 4px; } .noticiaListado { float: left; width: 442px; height: 500px; padding: 0 13px; border-bottom: #bbb solid 1px; } .noticiaListado img { width: 118px!important; } .noticias img { float: left; margin: 12px 12px 12px 0; width: 240px; } .display { float: left; width: 171px; border-bottom: #adadad solid 1px; padding: 0 0 14px 0; background: #fff; display: none; } .display a { float: left; color: #333; font-weight: normal; padding: 1px 0 0 14px; background: #fff; } .display a:hover { font-weight: bold; background: #f2f2f2; color: #333; } .paginacion { float: left; width: 100%; padding: 0 0 10px 0; color: #0a72a9; font-weight: bold; font-size: 11px; } .paginacion a { color: #0a72a9; } .pag1 { float: left; width: 29%; } .pag2 { float: left; width: 40%; text-align: center; } .pag3 { float: left; width: 29%; text-align: right; } .pasafotos { float: left; width: 478px; overflow: hidden; position: relative; } .pie { min-width: 100%; height: 244px; background: url(images/bg_pie.gif) repeat-x; overflow: hidden; padding: 22px 0 0 0; color: #666; font-size: 11px; } .pie strong { color: #999; } .pie a { color: #666; } .precio { float: left; width: 100%; text-align: center; font-size: 12px; font-weight: bold; } .precioDetalle { float: left; width: 100%; background: url(images/bg_precio.gif) 0px 21px no-repeat; padding: 42px 0 11px 0; border-bottom: #bbb solid 1px; } .fichaSlide .precioDetalle { border: none; background: url(images/bg_precio.gif) no-repeat; padding: 25px 0 0 0; } .precioNew { position: absolute; left: 158px; top: 115px; color: #044364; font: 14px "Trebuchet MS"; } .precioOld { position: absolute; left: 158px; top: 95px; font: 14px "Trebuchet MS"; } .marca { color: #c5bdbd!important; font: 14px "Trebuchet MS"!important; } .precioDetalle .precioNew, .precioDetalle .precioOld { float: left; position: relative; left: 0; top: 0; width: 100%; } .precioDetalle .precioNew { font-size: 22px; font-weight: bold; } .fichaSlide .precioOld { color: #044364; } .precioOld2 { color: #b2b2b2; text-decoration: line-through; } .productos { float: left; width: 100%; padding: 19px 0 16px 0; overflow: hidden; height: auto; } .rojo { color: #d80e21; } .ruta { float: left; width: 100%; height: 20px; font-size: 11px; color: #999; font-weight: bold; } .sinBorde { border: none !important; background: none !important; } .sinMargen { margin: 0; } .slider { position: absolute; width: 464px; height: 201px; overflow: hidden; left: 13px; top: 44px; } .slider2 { float: left; width: 465px; height: 201px; overflow: hidden; padding: 6px 0 0 0; position: relative; } .sliderIndex { float: left; width: 940px; height: 214px; background:#FFF; overflow: hidden; position: relative; } #sliderInt, #sliderInt2, #sliderInt3 { position: absolute; } #sliderInt td, #sliderInt2 td { width: 157px; overflow: hidden; } #sliderInt3 td { width: 470px; overflow: hidden; } #sliderInt3 ul { margin: 0; padding: 0; } #sliderInt3 li { float: left; margin: 0; padding: 0; width: 471px; overflow: hidden; position: relative; } .tablaCabe { color: #505456; font-size: 10px; margin: 0 0 3px 0; } .tablaCabe a { color: #0a72a9; } .tablaCabe input { width: 35px; margin: 0 4px 0 0; color: #333; border: #ababab solid 1px; font-size: 11px; } .tachado { text-decoration: line-through; font-size: 18px; font-weight: bold; color:#F00; } .tdGris1 { border-right: #fff solid 1px; padding: 0 0 0 8px; height: 27px; background: #f2f2f2; border-top: #fff solid 3px; border-bottom: #fff solid 1px; color: #212223; font-size: 11px; } .tdGris2 { border-right: #fff solid 1px; background: #f2f2f2; border-top: #fff solid 3px; border-bottom: #fff solid 1px; color: #212223; font-size: 11px; } .tdGris3 { background: #f2f2f2; border-top: #fff solid 3px; border-bottom: #fff solid 1px; color: #212223; font-size: 11px; } .tfnoInferior { float: left; width: 160px; padding: 32px 0 0 12px; } .tiendas { float: left; width: 493px; } .tiendas a { float: left; margin: 0 5px 5px 0; padding: 3px; border: #ccc solid 1px; width: 62px; } .tiendas .grande { margin: 0 4px 0 0; border: none; padding: 0; float: left; width: 317px; height: 228px; } .tiendas a:hover { background: #f60; } .titulo { float: left; width: 100%; text-align: right; position: relative; overflow: hidden; font-size: 11px; color: #044364; height: 33px; padding: 7px 0 0 0; } .titulo a { color: #044364; } .titulo img { position: absolute; left: 0px; top: 0px; } .tusDatos { float: left; width: 787px; overflow: hidden; padding: 54px 0 0 0; margin: 18px 0 0 0; background: url(images/tus_datos.gif) no-repeat; display: none; } .campo { color: #333; background: #e9e9e9; border: #ababab solid 1px; font-size: 11px; width: 290px; padding: 2px; margin:0 0 4px 0; } .selectCampo { color: #333; background: #e9e9e9; border: #ababab solid 1px; font-size: 11px; width: 290px; padding: 2px; margin:0 0 4px 0; } .check { color: #333; padding: 2px; margin:2px; } .div2 .titulo { width: 460px; margin: 0 0 0 13px; padding: 7px 17px 0 0; } .tramitar { border: none !important; background: url(images/bg_tramitar.jpg) no-repeat !important; color: #fff !important; font-size: 11px !important; font-weight: bold; height: 24px; line-height: 24px; width: 126px !important; margin: 12px 0 20px 0 !important; padding: 0 !important; cursor: hand; cursor: pointer; } a.naranjaBold, .naranjaBold { color: #ff9933; font-weight: bold; } .w348 { width: 348px; } .w206 { width: 206px; } .w56 { width: 56px; } .error-message, label.error { color: red; display: block; } .banner_home{ float:left; margin:0 ; width:456px; height:168px; padding:0 20px 0 0; border-right:1px solid #bbb; margin: 0 10px 0 0 } .banner_home img{ border: 3px solid #bbb; width: 443px; height: 162px} .newsletter{ float:left; margin:0 ; width:446px; height:168px; } .banner-content { width:442px; height:288px; background:url(images/banner-horarios.jpg) no-repeat; position:absolute; top:-288px; left:25%; z-index:9997; cursor:pointer; } a#cerrarBanner{background: url(images/close.png) no-repeat; display:block; width:23px; height:23px; position:relative; z-index: 9998; top:3px; right:-410px; } .banner-content { width: 436px; height: 283px; background: url(images/banner-horarios.jpg) no-repeat; position: absolute; top: -300px; left: 35%; z-index: 9997; -webkit-box-shadow: 1px 1px 12px 3px #525252; box-shadow: 1px 1px 12px 3px #525252; } .scroll { overflow-y: scroll; }
DAWalbertofdez/ProyectoMarcAlbertoDani
morenito.css
CSS
mit
23,855
<html><body> <h4>Windows 10 x64 (19041.388)</h4><br> <h2>_IO_APIC_REGISTERS</h2> <font face="arial"> +0x000 RegisterIndex : Uint4B<br> +0x004 Reserved1 : [3] Uint4B<br> +0x010 RegisterValue : Uint4B<br> +0x014 Reserved2 : [11] Uint4B<br> +0x040 EndOfInterrupt : Uint4B<br> </font></body></html>
epikcraw/ggool
public/Windows 10 x64 (19041.388)/_IO_APIC_REGISTERS.html
HTML
mit
338
import os import logging from django.core.management.base import BaseCommand from django.core.mail import send_mail from django.template.loader import get_template from workshops.models import Badge, Person, Role logger = logging.getLogger() class Command(BaseCommand): help = 'Report instructors activity.' def add_arguments(self, parser): parser.add_argument( '--send-out-for-real', action='store_true', default=False, help='Send information to the instructors.', ) parser.add_argument( '--no-may-contact-only', action='store_true', default=False, help='Include instructors not willing to be contacted.', ) parser.add_argument( '--django-mailing', action='store_true', default=False, help='Use Django mailing system. This requires some environmental ' 'variables to be set, see `settings.py`.', ) parser.add_argument( '-s', '--sender', action='store', default='workshops@carpentries.org', help='E-mail used in "from:" field.', ) def foreign_tasks(self, tasks, person, roles): """List of other instructors' tasks, per event.""" return [ task.event.task_set.filter(role__in=roles) .exclude(person=person) .select_related('person') for task in tasks ] def fetch_activity(self, may_contact_only=True): roles = Role.objects.filter(name__in=['instructor', 'helper']) instructor_badges = Badge.objects.instructor_badges() instructors = Person.objects.filter(badges__in=instructor_badges) instructors = instructors.exclude(email__isnull=True) if may_contact_only: instructors = instructors.exclude(may_contact=False) # let's get some things faster instructors = instructors.select_related('airport') \ .prefetch_related('task_set', 'lessons', 'award_set', 'badges') # don't repeat the records instructors = instructors.distinct() result = [] for person in instructors: tasks = person.task_set.filter(role__in=roles) \ .select_related('event', 'role') record = { 'person': person, 'lessons': person.lessons.all(), 'instructor_awards': person.award_set.filter( badge__in=person.badges.instructor_badges() ), 'tasks': zip(tasks, self.foreign_tasks(tasks, person, roles)), } result.append(record) return result def make_message(self, record): tmplt = get_template('mailing/instructor_activity.txt') return tmplt.render(context=record) def subject(self, record): # in future we can vary the subject depending on the record details return 'Updating your Software Carpentry information' def recipient(self, record): return record['person'].email def send_message(self, subject, message, sender, recipient, for_real=False, django_mailing=False): if for_real: if django_mailing: send_mail(subject, message, sender, [recipient]) else: command = 'mail -s "{subject}" -r {sender} {recipient}'.format( subject=subject, sender=sender, recipient=recipient, ) writer = os.popen(command, 'w') writer.write(message) writer.close() if self.verbosity >= 2: # write only a header self.stdout.write('-' * 40 + '\n') self.stdout.write('To: {}\n'.format(recipient)) self.stdout.write('Subject: {}\n'.format(subject)) self.stdout.write('From: {}\n'.format(sender)) if self.verbosity >= 3: # write whole message out self.stdout.write(message + '\n') def handle(self, *args, **options): # default is dummy run - only actually send mail if told to send_for_real = options['send_out_for_real'] # by default include only instructors who have `may_contact==True` no_may_contact_only = options['no_may_contact_only'] # use mailing options from settings.py or the `mail` system command? django_mailing = options['django_mailing'] # verbosity option is added by Django self.verbosity = int(options['verbosity']) sender = options['sender'] results = self.fetch_activity(not no_may_contact_only) for result in results: message = self.make_message(result) subject = self.subject(result) recipient = self.recipient(result) self.send_message(subject, message, sender, recipient, for_real=send_for_real, django_mailing=django_mailing) if self.verbosity >= 1: self.stdout.write('Sent {} emails.\n'.format(len(results)))
swcarpentry/amy
amy/workshops/management/commands/instructors_activity.py
Python
mit
5,305
<?php /* * This file is part of the Phuri package. * * Copyright © 2014 Erin Millard * * For the full copyright and license information, please view the LICENSE * file that was distributed with this source code. */ namespace Eloquent\Phuri\Generic; use Eloquent\Pathogen\Factory\PathFactoryInterface; use Eloquent\Phuri\Generic\Parser\GenericUriComponentsInterface; use Eloquent\Phuri\Normalization\UriNormalizerInterface; use Eloquent\Phuri\Parameters\Factory\UriParametersFactoryInterface; use Eloquent\Phuri\Path\Factory\UriPathFactory; use Eloquent\Phuri\UriInterface; use Eloquent\Phuri\Validation\Exception\InvalidUriComponentExceptionInterface; /** * An abstract base class for implementing generic URIs. */ abstract class AbstractGenericUri implements GenericUriInterface { /** * Construct a new generic URI. * * @param GenericUriComponentsInterface $components The URI components. * * @throws InvalidUriComponentExceptionInterface If any of the components are invalid. */ public function __construct(GenericUriComponentsInterface $components) { $this->username = $components->username(); $this->password = $components->password(); $this->host = $components->host(); $this->port = $components->port(); $this->path = $components->path(); $this->fragment = $components->fragment(); if (null === $components->queryParameters()) { $this->hasQueryDelimiter = false; $this->queryParameters = static::queryParametersFactory() ->createEmpty(); } else { $this->hasQueryDelimiter = true; $this->queryParameters = static::queryParametersFactory() ->createFromEncodedPairs($components->queryParameters()); } } // Implementation of GenericUriInterface =================================== /** * Returns true if this URI has a username. * * This method will return false for URIs with empty string usernames. * * @link http://tools.ietf.org/html/rfc3986#section-3.2.1 * * @return boolean True if this URI has a username. */ public function hasUsername() { return null !== $this->encodedUsername() && '' !== $this->encodedUsername(); } /** * Get the username. * * @link http://tools.ietf.org/html/rfc3986#section-3.2.1 * * @return string|null The username, or null if there is no username. */ public function username() { if (null === $this->encodedUsername()) { return null; } return static::encoder()->decode($this->encodedUsername()); } /** * Get the encoded username. * * @link http://tools.ietf.org/html/rfc3986#section-3.2.1 * * @return string|null The encoded username, or null if there is no username. */ public function encodedUsername() { return $this->username; } /** * Returns true if this URI has a password. * * This method will return false for URIs with empty string passwords. * * @link http://tools.ietf.org/html/rfc3986#section-3.2.1 * * @return boolean True if this URI has a password. */ public function hasPassword() { return null !== $this->encodedPassword() && '' !== $this->encodedPassword(); } /** * Get the password. * * @link http://tools.ietf.org/html/rfc3986#section-3.2.1 * * @return string|null The password, or null if there is no password. */ public function password() { if (null === $this->encodedPassword()) { return null; } return static::encoder()->decode($this->encodedPassword()); } /** * Get the encoded password. * * @link http://tools.ietf.org/html/rfc3986#section-3.2.1 * * @return string|null The encoded password, or null if there is no password. */ public function encodedPassword() { return $this->password; } /** * Get the encoded host. * * @link http://tools.ietf.org/html/rfc3986#section-3.2.2 * * @return string|null The encoded host, or null if there is no host. */ public function encodedHost() { return $this->host; } /** * Returns true if this URI has a port. * * This method will return false for URIs with empty string ports. * * @link http://tools.ietf.org/html/rfc3986#section-3.2.3 * * @return boolean True if this URI has a port. */ public function hasPort() { return null !== $this->encodedPort() && '' !== $this->encodedPort(); } /** * Get the port. * * @link http://tools.ietf.org/html/rfc3986#section-3.2.3 * * @return integer|null The port, or null if there is no port, or the port is an empty string. */ public function port() { if ($this->hasPort()) { return intval($this->encodedPort()); } return null; } /** * Get the encoded port. * * @link http://tools.ietf.org/html/rfc3986#section-3.2.3 * * @return string|null The encoded port, or null if there is no port. */ public function encodedPort() { return $this->port; } /** * Returns true if this URI has a path. * * This method will return false for URIs with empty string paths. * * @link http://tools.ietf.org/html/rfc3986#section-3.3 * * @return boolean True if this URI has a path. */ public function hasPath() { return '' !== $this->path(); } /** * Get the path. * * @link http://tools.ietf.org/html/rfc3986#section-3.3 * * @return string The path. */ public function path() { return static::encoder()->decode($this->encodedPath()); } /** * Get the encoded path. * * @link http://tools.ietf.org/html/rfc3986#section-3.3 * * @return string The encoded path. */ public function encodedPath() { return $this->path; } /** * Get the path as a path object. * * @link http://tools.ietf.org/html/rfc3986#section-3.3 * * @return UriPathInterface The path. */ public function pathObject() { return static::pathFactory()->create($this->path()); } /** * Returns true if this URI has a query. * * This method will return false for URIs with empty string queries. * * @link http://tools.ietf.org/html/rfc3986#section-3.4 * * @return boolean True if this URI has a query. */ public function hasQuery() { return !$this->queryParameters()->isEmpty(); } /** * Get the query. * * @link http://tools.ietf.org/html/rfc3986#section-3.4 * * @return string|null The query, or null if there is no query. */ public function query() { if ($this->hasQueryDelimiter()) { return static::encoder()->decode($this->encodedQuery()); } return null; } /** * Get the encoded query. * * @link http://tools.ietf.org/html/rfc3986#section-3.4 * * @return string|null The encoded query, or null if there is no query. */ public function encodedQuery() { if ($this->hasQueryDelimiter()) { return $this->queryParameters()->string(); } return null; } /** * Get the query parameters. * * @link http://tools.ietf.org/html/rfc3986#section-3.4 * * @return UriParametersInterface The query parameters. */ public function queryParameters() { return $this->queryParameters; } /** * Returns true if this URI has a fragment. * * This method will return false for URIs with empty string fragments. * * @link http://tools.ietf.org/html/rfc3986#section-3.5 * * @return boolean True if this URI has a fragment. */ public function hasFragment() { return null !== $this->encodedFragment() && '' !== $this->encodedFragment(); } /** * Get the fragment. * * @link http://tools.ietf.org/html/rfc3986#section-3.5 * * @return string|null The fragment, or null if there is no fragment. */ public function fragment() { if (null === $this->encodedFragment()) { return null; } return static::encoder()->decode($this->encodedFragment()); } /** * Get the encoded fragment. * * @link http://tools.ietf.org/html/rfc3986#section-3.5 * * @return string|null The encoded fragment, or null if there is no fragment. */ public function encodedFragment() { return $this->fragment; } /** * Get the fragment parameters. * * @link http://tools.ietf.org/html/rfc3986#section-3.5 * * @return UriParametersInterface The fragment parameters. */ public function fragmentParameters() { if (null === $this->encodedFragment()) { return static::queryParametersFactory()->createEmpty(); } return static::queryParametersFactory() ->createFromString($this->encodedFragment()); } // Implementation of UriInterface ========================================== /** * Return a normalized version of this URI. * * @return UriInterface A normalized version of this URI. */ public function normalize() { return static::normalizer()->normalize($this); } /** * Get a string representation of this URI. * * @return string A string representation of this URI. */ public function __toString() { return $this->string(); } // Implementation details ================================================== /** * Returns true if this URI has a query delimiter. * * @return boolean True if this URI has a query delimiter. */ public function hasQueryDelimiter() { return $this->hasQueryDelimiter; } /** * Get the most appropriate factory for this type of URI. * * @return Factory\GenericUriFactoryInterface The factory. */ protected static function factory() { return Factory\GenericUriFactory::instance(); } /** * Get the most appropriate path factory for this type of URI. * * @return PathFactoryInterface The factory. */ protected static function pathFactory() { return UriPathFactory::instance(); } /** * Get the most appropriate query parameters factory for this type of URI. * * @return UriParametersFactoryInterface The factory. */ protected static function queryParametersFactory() { return Factory\GenericUriQueryParametersFactory::instance(); } /** * Get the most appropriate validator for this type of URI. * * @return Validation\GenericUriValidatorInterface The validator. */ protected static function validator() { return Validation\GenericUriValidator::instance(); } /** * Get the most appropriate encoder for this type of URI. * * @return Encoding\GenericUriEncoderInterface The encoder. */ protected static function encoder() { return Encoding\GenericUriEncoder::instance(); } /** * Get the most appropriate normalizer for this type of URI. * * @return UriNormalizerInterface The normalizer. */ protected static function normalizer() { return Normalization\GenericUriNormalizer::instance(); } private $username; private $password; private $host; private $port; private $path; private $hasQueryDelimiter; private $queryParameters; private $fragment; }
ezzatron/phuri
src/Generic/AbstractGenericUri.php
PHP
mit
12,051
# react-all Use ReactJS to do cross platform StartKit
keyfun/react-all
README.md
Markdown
mit
54
/* * This file is part of Sponge, licensed under the MIT License (MIT). * * Copyright (c) SpongePowered <https://www.spongepowered.org> * Copyright (c) contributors * * 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 org.spongepowered.common.data.manipulator.block; import static org.spongepowered.api.data.DataQuery.of; import org.spongepowered.api.data.DataContainer; import org.spongepowered.api.data.DataQuery; import org.spongepowered.api.data.MemoryDataContainer; import org.spongepowered.api.data.manipulator.block.SignaledOutputData; import org.spongepowered.common.data.manipulator.AbstractIntData; public class SpongeSignaledOutputData extends AbstractIntData<SignaledOutputData> implements SignaledOutputData { public static final DataQuery OUTPUT_SIGNAL_STRENGTH = of("OutputSignalStrength"); public SpongeSignaledOutputData() { super(SignaledOutputData.class, 0, 0, 15); } @Override public int getOutputSignal() { return this.getValue(); } @Override public SignaledOutputData setOutputSignal(int signal) { return this.setValue(signal); } @Override public SignaledOutputData copy() { return new SpongeSignaledOutputData().setValue(this.getValue()); } @Override public DataContainer toContainer() { return new MemoryDataContainer().set(OUTPUT_SIGNAL_STRENGTH, this.getValue()); } }
gabizou/SpongeCommon
src/main/java/org/spongepowered/common/data/manipulator/block/SpongeSignaledOutputData.java
Java
mit
2,441
// Copyright (c) 2013 Raphael Estrada // License: The MIT License - see "LICENSE" file for details // Author URL: http://www.galaktor.net // Author E-Mail: galaktor@gmx.de using System.Reflection; using System.Runtime.InteropServices; // General Information about an assembly is controlled through the following // set of attributes. Change these attribute values to modify the information // associated with an assembly. [assembly: AssemblyTitle("AutofacExtensions")] [assembly: AssemblyDescription("")] [assembly: AssemblyConfiguration("")] [assembly: AssemblyCompany("Raphael Estrada")] [assembly: AssemblyProduct("AutofacExtensions")] [assembly: AssemblyCopyright("Copyright (c) Raphael Estrada 2013")] [assembly: AssemblyTrademark("")] [assembly: AssemblyCulture("")] // Setting ComVisible to false makes the types in this assembly not visible // to COM components. If you need to access a type in this assembly from // COM, set the ComVisible attribute to true on that type. [assembly: ComVisible(false)] // The following GUID is for the ID of the typelib if this project is exposed to COM [assembly: Guid("31dee9f1-b44b-4a04-89cf-d17ea82953ef")] // Version information for an assembly consists of the following four values: // // Major Version // Minor Version // Build Number // Revision // // You can specify all the values or you can default the Build and Revision Numbers // by using the '*' as shown below: // [assembly: AssemblyVersion("0.0.0.0")] [assembly: AssemblyVersion("0.0.0.0")] [assembly: AssemblyFileVersion("0.0.0.0")]
galaktor/autofac-extensions
Properties/AssemblyInfo.cs
C#
mit
1,633
# coding=utf-8 # -------------------------------------------------------------------------- # 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. # Changes may cause incorrect behavior and will be lost if the code is regenerated. # -------------------------------------------------------------------------- import functools from typing import Any, Callable, Dict, Generic, Iterable, Optional, TypeVar import warnings from azure.core.exceptions import ClientAuthenticationError, HttpResponseError, ResourceExistsError, ResourceNotFoundError, map_error from azure.core.paging import ItemPaged from azure.core.pipeline import PipelineResponse from azure.core.pipeline.transport import HttpResponse from azure.core.rest import HttpRequest from azure.core.tracing.decorator import distributed_trace from azure.mgmt.core.exceptions import ARMErrorFormat from msrest import Serializer from .. import models as _models from .._vendor import _convert_request, _format_url_section T = TypeVar('T') JSONType = Any ClsType = Optional[Callable[[PipelineResponse[HttpRequest, HttpResponse], T, Dict[str, Any]], Any]] _SERIALIZER = Serializer() _SERIALIZER.client_side_validation = False def build_delete_request( scope: str, policy_assignment_name: str, **kwargs: Any ) -> HttpRequest: api_version = "2016-12-01" accept = "application/json, text/json" # Construct URL url = kwargs.pop("template_url", '/{scope}/providers/Microsoft.Authorization/policyAssignments/{policyAssignmentName}') path_format_arguments = { "scope": _SERIALIZER.url("scope", scope, 'str', skip_quote=True), "policyAssignmentName": _SERIALIZER.url("policy_assignment_name", policy_assignment_name, 'str'), } url = _format_url_section(url, **path_format_arguments) # Construct parameters query_parameters = kwargs.pop("params", {}) # type: Dict[str, Any] query_parameters['api-version'] = _SERIALIZER.query("api_version", api_version, 'str') # Construct headers header_parameters = kwargs.pop("headers", {}) # type: Dict[str, Any] header_parameters['Accept'] = _SERIALIZER.header("accept", accept, 'str') return HttpRequest( method="DELETE", url=url, params=query_parameters, headers=header_parameters, **kwargs ) def build_create_request( scope: str, policy_assignment_name: str, *, json: JSONType = None, content: Any = None, **kwargs: Any ) -> HttpRequest: content_type = kwargs.pop('content_type', None) # type: Optional[str] api_version = "2016-12-01" accept = "application/json, text/json" # Construct URL url = kwargs.pop("template_url", '/{scope}/providers/Microsoft.Authorization/policyAssignments/{policyAssignmentName}') path_format_arguments = { "scope": _SERIALIZER.url("scope", scope, 'str', skip_quote=True), "policyAssignmentName": _SERIALIZER.url("policy_assignment_name", policy_assignment_name, 'str'), } url = _format_url_section(url, **path_format_arguments) # Construct parameters query_parameters = kwargs.pop("params", {}) # type: Dict[str, Any] query_parameters['api-version'] = _SERIALIZER.query("api_version", api_version, 'str') # Construct headers header_parameters = kwargs.pop("headers", {}) # type: Dict[str, Any] if content_type is not None: header_parameters['Content-Type'] = _SERIALIZER.header("content_type", content_type, 'str') header_parameters['Accept'] = _SERIALIZER.header("accept", accept, 'str') return HttpRequest( method="PUT", url=url, params=query_parameters, headers=header_parameters, json=json, content=content, **kwargs ) def build_get_request( scope: str, policy_assignment_name: str, **kwargs: Any ) -> HttpRequest: api_version = "2016-12-01" accept = "application/json, text/json" # Construct URL url = kwargs.pop("template_url", '/{scope}/providers/Microsoft.Authorization/policyAssignments/{policyAssignmentName}') path_format_arguments = { "scope": _SERIALIZER.url("scope", scope, 'str', skip_quote=True), "policyAssignmentName": _SERIALIZER.url("policy_assignment_name", policy_assignment_name, 'str'), } url = _format_url_section(url, **path_format_arguments) # Construct parameters query_parameters = kwargs.pop("params", {}) # type: Dict[str, Any] query_parameters['api-version'] = _SERIALIZER.query("api_version", api_version, 'str') # Construct headers header_parameters = kwargs.pop("headers", {}) # type: Dict[str, Any] header_parameters['Accept'] = _SERIALIZER.header("accept", accept, 'str') return HttpRequest( method="GET", url=url, params=query_parameters, headers=header_parameters, **kwargs ) def build_list_for_resource_group_request( resource_group_name: str, subscription_id: str, *, filter: Optional[str] = None, **kwargs: Any ) -> HttpRequest: api_version = "2016-12-01" accept = "application/json, text/json" # Construct URL url = kwargs.pop("template_url", '/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Authorization/policyAssignments') path_format_arguments = { "resourceGroupName": _SERIALIZER.url("resource_group_name", resource_group_name, 'str', max_length=90, min_length=1, pattern=r'^[-\w\._\(\)]+$'), "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, 'str'), } url = _format_url_section(url, **path_format_arguments) # Construct parameters query_parameters = kwargs.pop("params", {}) # type: Dict[str, Any] if filter is not None: query_parameters['$filter'] = _SERIALIZER.query("filter", filter, 'str', skip_quote=True) query_parameters['api-version'] = _SERIALIZER.query("api_version", api_version, 'str') # Construct headers header_parameters = kwargs.pop("headers", {}) # type: Dict[str, Any] header_parameters['Accept'] = _SERIALIZER.header("accept", accept, 'str') return HttpRequest( method="GET", url=url, params=query_parameters, headers=header_parameters, **kwargs ) def build_list_for_resource_request( resource_group_name: str, resource_provider_namespace: str, parent_resource_path: str, resource_type: str, resource_name: str, subscription_id: str, *, filter: Optional[str] = None, **kwargs: Any ) -> HttpRequest: api_version = "2016-12-01" accept = "application/json, text/json" # Construct URL url = kwargs.pop("template_url", '/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{resourceProviderNamespace}/{parentResourcePath}/{resourceType}/{resourceName}/providers/Microsoft.Authorization/policyAssignments') path_format_arguments = { "resourceGroupName": _SERIALIZER.url("resource_group_name", resource_group_name, 'str', max_length=90, min_length=1, pattern=r'^[-\w\._\(\)]+$'), "resourceProviderNamespace": _SERIALIZER.url("resource_provider_namespace", resource_provider_namespace, 'str'), "parentResourcePath": _SERIALIZER.url("parent_resource_path", parent_resource_path, 'str', skip_quote=True), "resourceType": _SERIALIZER.url("resource_type", resource_type, 'str', skip_quote=True), "resourceName": _SERIALIZER.url("resource_name", resource_name, 'str'), "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, 'str'), } url = _format_url_section(url, **path_format_arguments) # Construct parameters query_parameters = kwargs.pop("params", {}) # type: Dict[str, Any] if filter is not None: query_parameters['$filter'] = _SERIALIZER.query("filter", filter, 'str') query_parameters['api-version'] = _SERIALIZER.query("api_version", api_version, 'str') # Construct headers header_parameters = kwargs.pop("headers", {}) # type: Dict[str, Any] header_parameters['Accept'] = _SERIALIZER.header("accept", accept, 'str') return HttpRequest( method="GET", url=url, params=query_parameters, headers=header_parameters, **kwargs ) def build_list_request( subscription_id: str, *, filter: Optional[str] = None, **kwargs: Any ) -> HttpRequest: api_version = "2016-12-01" accept = "application/json, text/json" # Construct URL url = kwargs.pop("template_url", '/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policyAssignments') path_format_arguments = { "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, 'str'), } url = _format_url_section(url, **path_format_arguments) # Construct parameters query_parameters = kwargs.pop("params", {}) # type: Dict[str, Any] if filter is not None: query_parameters['$filter'] = _SERIALIZER.query("filter", filter, 'str') query_parameters['api-version'] = _SERIALIZER.query("api_version", api_version, 'str') # Construct headers header_parameters = kwargs.pop("headers", {}) # type: Dict[str, Any] header_parameters['Accept'] = _SERIALIZER.header("accept", accept, 'str') return HttpRequest( method="GET", url=url, params=query_parameters, headers=header_parameters, **kwargs ) def build_delete_by_id_request( policy_assignment_id: str, **kwargs: Any ) -> HttpRequest: api_version = "2016-12-01" accept = "application/json, text/json" # Construct URL url = kwargs.pop("template_url", '/{policyAssignmentId}') path_format_arguments = { "policyAssignmentId": _SERIALIZER.url("policy_assignment_id", policy_assignment_id, 'str', skip_quote=True), } url = _format_url_section(url, **path_format_arguments) # Construct parameters query_parameters = kwargs.pop("params", {}) # type: Dict[str, Any] query_parameters['api-version'] = _SERIALIZER.query("api_version", api_version, 'str') # Construct headers header_parameters = kwargs.pop("headers", {}) # type: Dict[str, Any] header_parameters['Accept'] = _SERIALIZER.header("accept", accept, 'str') return HttpRequest( method="DELETE", url=url, params=query_parameters, headers=header_parameters, **kwargs ) def build_create_by_id_request( policy_assignment_id: str, *, json: JSONType = None, content: Any = None, **kwargs: Any ) -> HttpRequest: content_type = kwargs.pop('content_type', None) # type: Optional[str] api_version = "2016-12-01" accept = "application/json, text/json" # Construct URL url = kwargs.pop("template_url", '/{policyAssignmentId}') path_format_arguments = { "policyAssignmentId": _SERIALIZER.url("policy_assignment_id", policy_assignment_id, 'str', skip_quote=True), } url = _format_url_section(url, **path_format_arguments) # Construct parameters query_parameters = kwargs.pop("params", {}) # type: Dict[str, Any] query_parameters['api-version'] = _SERIALIZER.query("api_version", api_version, 'str') # Construct headers header_parameters = kwargs.pop("headers", {}) # type: Dict[str, Any] if content_type is not None: header_parameters['Content-Type'] = _SERIALIZER.header("content_type", content_type, 'str') header_parameters['Accept'] = _SERIALIZER.header("accept", accept, 'str') return HttpRequest( method="PUT", url=url, params=query_parameters, headers=header_parameters, json=json, content=content, **kwargs ) def build_get_by_id_request( policy_assignment_id: str, **kwargs: Any ) -> HttpRequest: api_version = "2016-12-01" accept = "application/json, text/json" # Construct URL url = kwargs.pop("template_url", '/{policyAssignmentId}') path_format_arguments = { "policyAssignmentId": _SERIALIZER.url("policy_assignment_id", policy_assignment_id, 'str', skip_quote=True), } url = _format_url_section(url, **path_format_arguments) # Construct parameters query_parameters = kwargs.pop("params", {}) # type: Dict[str, Any] query_parameters['api-version'] = _SERIALIZER.query("api_version", api_version, 'str') # Construct headers header_parameters = kwargs.pop("headers", {}) # type: Dict[str, Any] header_parameters['Accept'] = _SERIALIZER.header("accept", accept, 'str') return HttpRequest( method="GET", url=url, params=query_parameters, headers=header_parameters, **kwargs ) class PolicyAssignmentsOperations(object): """PolicyAssignmentsOperations operations. You should not instantiate this class directly. Instead, you should create a Client instance that instantiates it for you and attaches it as an attribute. :ivar models: Alias to model classes used in this operation group. :type models: ~azure.mgmt.resource.policy.v2016_12_01.models :param client: Client for service requests. :param config: Configuration of service client. :param serializer: An object model serializer. :param deserializer: An object model deserializer. """ models = _models def __init__(self, client, config, serializer, deserializer): self._client = client self._serialize = serializer self._deserialize = deserializer self._config = config @distributed_trace def delete( self, scope: str, policy_assignment_name: str, **kwargs: Any ) -> Optional["_models.PolicyAssignment"]: """Deletes a policy assignment. :param scope: The scope of the policy assignment. :type scope: str :param policy_assignment_name: The name of the policy assignment to delete. :type policy_assignment_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PolicyAssignment, or the result of cls(response) :rtype: ~azure.mgmt.resource.policy.v2016_12_01.models.PolicyAssignment or None :raises: ~azure.core.exceptions.HttpResponseError """ cls = kwargs.pop('cls', None) # type: ClsType[Optional["_models.PolicyAssignment"]] error_map = { 401: ClientAuthenticationError, 404: ResourceNotFoundError, 409: ResourceExistsError } error_map.update(kwargs.pop('error_map', {})) request = build_delete_request( scope=scope, policy_assignment_name=policy_assignment_name, template_url=self.delete.metadata['url'], ) request = _convert_request(request) request.url = self._client.format_url(request.url) pipeline_response = self._client._pipeline.run(request, stream=False, **kwargs) response = pipeline_response.http_response if response.status_code not in [200, 204]: map_error(status_code=response.status_code, response=response, error_map=error_map) raise HttpResponseError(response=response, error_format=ARMErrorFormat) deserialized = None if response.status_code == 200: deserialized = self._deserialize('PolicyAssignment', pipeline_response) if cls: return cls(pipeline_response, deserialized, {}) return deserialized delete.metadata = {'url': '/{scope}/providers/Microsoft.Authorization/policyAssignments/{policyAssignmentName}'} # type: ignore @distributed_trace def create( self, scope: str, policy_assignment_name: str, parameters: "_models.PolicyAssignment", **kwargs: Any ) -> "_models.PolicyAssignment": """Creates a policy assignment. Policy assignments are inherited by child resources. For example, when you apply a policy to a resource group that policy is assigned to all resources in the group. :param scope: The scope of the policy assignment. :type scope: str :param policy_assignment_name: The name of the policy assignment. :type policy_assignment_name: str :param parameters: Parameters for the policy assignment. :type parameters: ~azure.mgmt.resource.policy.v2016_12_01.models.PolicyAssignment :keyword callable cls: A custom type or function that will be passed the direct response :return: PolicyAssignment, or the result of cls(response) :rtype: ~azure.mgmt.resource.policy.v2016_12_01.models.PolicyAssignment :raises: ~azure.core.exceptions.HttpResponseError """ cls = kwargs.pop('cls', None) # type: ClsType["_models.PolicyAssignment"] error_map = { 401: ClientAuthenticationError, 404: ResourceNotFoundError, 409: ResourceExistsError } error_map.update(kwargs.pop('error_map', {})) content_type = kwargs.pop('content_type', "application/json") # type: Optional[str] _json = self._serialize.body(parameters, 'PolicyAssignment') request = build_create_request( scope=scope, policy_assignment_name=policy_assignment_name, content_type=content_type, json=_json, template_url=self.create.metadata['url'], ) request = _convert_request(request) request.url = self._client.format_url(request.url) pipeline_response = self._client._pipeline.run(request, stream=False, **kwargs) response = pipeline_response.http_response if response.status_code not in [201]: map_error(status_code=response.status_code, response=response, error_map=error_map) raise HttpResponseError(response=response, error_format=ARMErrorFormat) deserialized = self._deserialize('PolicyAssignment', pipeline_response) if cls: return cls(pipeline_response, deserialized, {}) return deserialized create.metadata = {'url': '/{scope}/providers/Microsoft.Authorization/policyAssignments/{policyAssignmentName}'} # type: ignore @distributed_trace def get( self, scope: str, policy_assignment_name: str, **kwargs: Any ) -> "_models.PolicyAssignment": """Gets a policy assignment. :param scope: The scope of the policy assignment. :type scope: str :param policy_assignment_name: The name of the policy assignment to get. :type policy_assignment_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PolicyAssignment, or the result of cls(response) :rtype: ~azure.mgmt.resource.policy.v2016_12_01.models.PolicyAssignment :raises: ~azure.core.exceptions.HttpResponseError """ cls = kwargs.pop('cls', None) # type: ClsType["_models.PolicyAssignment"] error_map = { 401: ClientAuthenticationError, 404: ResourceNotFoundError, 409: ResourceExistsError } error_map.update(kwargs.pop('error_map', {})) request = build_get_request( scope=scope, policy_assignment_name=policy_assignment_name, template_url=self.get.metadata['url'], ) request = _convert_request(request) request.url = self._client.format_url(request.url) pipeline_response = self._client._pipeline.run(request, stream=False, **kwargs) response = pipeline_response.http_response if response.status_code not in [200]: map_error(status_code=response.status_code, response=response, error_map=error_map) raise HttpResponseError(response=response, error_format=ARMErrorFormat) deserialized = self._deserialize('PolicyAssignment', pipeline_response) if cls: return cls(pipeline_response, deserialized, {}) return deserialized get.metadata = {'url': '/{scope}/providers/Microsoft.Authorization/policyAssignments/{policyAssignmentName}'} # type: ignore @distributed_trace def list_for_resource_group( self, resource_group_name: str, filter: Optional[str] = None, **kwargs: Any ) -> Iterable["_models.PolicyAssignmentListResult"]: """Gets policy assignments for the resource group. :param resource_group_name: The name of the resource group that contains policy assignments. :type resource_group_name: str :param filter: The filter to apply on the operation. :type filter: str :keyword callable cls: A custom type or function that will be passed the direct response :return: An iterator like instance of either PolicyAssignmentListResult or the result of cls(response) :rtype: ~azure.core.paging.ItemPaged[~azure.mgmt.resource.policy.v2016_12_01.models.PolicyAssignmentListResult] :raises: ~azure.core.exceptions.HttpResponseError """ cls = kwargs.pop('cls', None) # type: ClsType["_models.PolicyAssignmentListResult"] error_map = { 401: ClientAuthenticationError, 404: ResourceNotFoundError, 409: ResourceExistsError } error_map.update(kwargs.pop('error_map', {})) def prepare_request(next_link=None): if not next_link: request = build_list_for_resource_group_request( resource_group_name=resource_group_name, subscription_id=self._config.subscription_id, filter=filter, template_url=self.list_for_resource_group.metadata['url'], ) request = _convert_request(request) request.url = self._client.format_url(request.url) else: request = build_list_for_resource_group_request( resource_group_name=resource_group_name, subscription_id=self._config.subscription_id, filter=filter, template_url=next_link, ) request = _convert_request(request) request.url = self._client.format_url(request.url) request.method = "GET" return request def extract_data(pipeline_response): deserialized = self._deserialize("PolicyAssignmentListResult", pipeline_response) list_of_elem = deserialized.value if cls: list_of_elem = cls(list_of_elem) return deserialized.next_link or None, iter(list_of_elem) def get_next(next_link=None): request = prepare_request(next_link) pipeline_response = self._client._pipeline.run(request, stream=False, **kwargs) response = pipeline_response.http_response if response.status_code not in [200]: map_error(status_code=response.status_code, response=response, error_map=error_map) raise HttpResponseError(response=response, error_format=ARMErrorFormat) return pipeline_response return ItemPaged( get_next, extract_data ) list_for_resource_group.metadata = {'url': '/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Authorization/policyAssignments'} # type: ignore @distributed_trace def list_for_resource( self, resource_group_name: str, resource_provider_namespace: str, parent_resource_path: str, resource_type: str, resource_name: str, filter: Optional[str] = None, **kwargs: Any ) -> Iterable["_models.PolicyAssignmentListResult"]: """Gets policy assignments for a resource. :param resource_group_name: The name of the resource group containing the resource. The name is case insensitive. :type resource_group_name: str :param resource_provider_namespace: The namespace of the resource provider. :type resource_provider_namespace: str :param parent_resource_path: The parent resource path. :type parent_resource_path: str :param resource_type: The resource type. :type resource_type: str :param resource_name: The name of the resource with policy assignments. :type resource_name: str :param filter: The filter to apply on the operation. :type filter: str :keyword callable cls: A custom type or function that will be passed the direct response :return: An iterator like instance of either PolicyAssignmentListResult or the result of cls(response) :rtype: ~azure.core.paging.ItemPaged[~azure.mgmt.resource.policy.v2016_12_01.models.PolicyAssignmentListResult] :raises: ~azure.core.exceptions.HttpResponseError """ cls = kwargs.pop('cls', None) # type: ClsType["_models.PolicyAssignmentListResult"] error_map = { 401: ClientAuthenticationError, 404: ResourceNotFoundError, 409: ResourceExistsError } error_map.update(kwargs.pop('error_map', {})) def prepare_request(next_link=None): if not next_link: request = build_list_for_resource_request( resource_group_name=resource_group_name, resource_provider_namespace=resource_provider_namespace, parent_resource_path=parent_resource_path, resource_type=resource_type, resource_name=resource_name, subscription_id=self._config.subscription_id, filter=filter, template_url=self.list_for_resource.metadata['url'], ) request = _convert_request(request) request.url = self._client.format_url(request.url) else: request = build_list_for_resource_request( resource_group_name=resource_group_name, resource_provider_namespace=resource_provider_namespace, parent_resource_path=parent_resource_path, resource_type=resource_type, resource_name=resource_name, subscription_id=self._config.subscription_id, filter=filter, template_url=next_link, ) request = _convert_request(request) request.url = self._client.format_url(request.url) request.method = "GET" return request def extract_data(pipeline_response): deserialized = self._deserialize("PolicyAssignmentListResult", pipeline_response) list_of_elem = deserialized.value if cls: list_of_elem = cls(list_of_elem) return deserialized.next_link or None, iter(list_of_elem) def get_next(next_link=None): request = prepare_request(next_link) pipeline_response = self._client._pipeline.run(request, stream=False, **kwargs) response = pipeline_response.http_response if response.status_code not in [200]: map_error(status_code=response.status_code, response=response, error_map=error_map) raise HttpResponseError(response=response, error_format=ARMErrorFormat) return pipeline_response return ItemPaged( get_next, extract_data ) list_for_resource.metadata = {'url': '/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{resourceProviderNamespace}/{parentResourcePath}/{resourceType}/{resourceName}/providers/Microsoft.Authorization/policyAssignments'} # type: ignore @distributed_trace def list( self, filter: Optional[str] = None, **kwargs: Any ) -> Iterable["_models.PolicyAssignmentListResult"]: """Gets all the policy assignments for a subscription. :param filter: The filter to apply on the operation. :type filter: str :keyword callable cls: A custom type or function that will be passed the direct response :return: An iterator like instance of either PolicyAssignmentListResult or the result of cls(response) :rtype: ~azure.core.paging.ItemPaged[~azure.mgmt.resource.policy.v2016_12_01.models.PolicyAssignmentListResult] :raises: ~azure.core.exceptions.HttpResponseError """ cls = kwargs.pop('cls', None) # type: ClsType["_models.PolicyAssignmentListResult"] error_map = { 401: ClientAuthenticationError, 404: ResourceNotFoundError, 409: ResourceExistsError } error_map.update(kwargs.pop('error_map', {})) def prepare_request(next_link=None): if not next_link: request = build_list_request( subscription_id=self._config.subscription_id, filter=filter, template_url=self.list.metadata['url'], ) request = _convert_request(request) request.url = self._client.format_url(request.url) else: request = build_list_request( subscription_id=self._config.subscription_id, filter=filter, template_url=next_link, ) request = _convert_request(request) request.url = self._client.format_url(request.url) request.method = "GET" return request def extract_data(pipeline_response): deserialized = self._deserialize("PolicyAssignmentListResult", pipeline_response) list_of_elem = deserialized.value if cls: list_of_elem = cls(list_of_elem) return deserialized.next_link or None, iter(list_of_elem) def get_next(next_link=None): request = prepare_request(next_link) pipeline_response = self._client._pipeline.run(request, stream=False, **kwargs) response = pipeline_response.http_response if response.status_code not in [200]: map_error(status_code=response.status_code, response=response, error_map=error_map) raise HttpResponseError(response=response, error_format=ARMErrorFormat) return pipeline_response return ItemPaged( get_next, extract_data ) list.metadata = {'url': '/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policyAssignments'} # type: ignore @distributed_trace def delete_by_id( self, policy_assignment_id: str, **kwargs: Any ) -> "_models.PolicyAssignment": """Deletes a policy assignment by ID. When providing a scope for the assignment, use '/subscriptions/{subscription-id}/' for subscriptions, '/subscriptions/{subscription-id}/resourceGroups/{resource-group-name}' for resource groups, and '/subscriptions/{subscription-id}/resourceGroups/{resource-group-name}/providers/{resource-provider-namespace}/{resource-type}/{resource-name}' for resources. :param policy_assignment_id: The ID of the policy assignment to delete. Use the format '/{scope}/providers/Microsoft.Authorization/policyAssignments/{policy-assignment-name}'. :type policy_assignment_id: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PolicyAssignment, or the result of cls(response) :rtype: ~azure.mgmt.resource.policy.v2016_12_01.models.PolicyAssignment :raises: ~azure.core.exceptions.HttpResponseError """ cls = kwargs.pop('cls', None) # type: ClsType["_models.PolicyAssignment"] error_map = { 401: ClientAuthenticationError, 404: ResourceNotFoundError, 409: ResourceExistsError } error_map.update(kwargs.pop('error_map', {})) request = build_delete_by_id_request( policy_assignment_id=policy_assignment_id, template_url=self.delete_by_id.metadata['url'], ) request = _convert_request(request) request.url = self._client.format_url(request.url) pipeline_response = self._client._pipeline.run(request, stream=False, **kwargs) response = pipeline_response.http_response if response.status_code not in [200]: map_error(status_code=response.status_code, response=response, error_map=error_map) raise HttpResponseError(response=response, error_format=ARMErrorFormat) deserialized = self._deserialize('PolicyAssignment', pipeline_response) if cls: return cls(pipeline_response, deserialized, {}) return deserialized delete_by_id.metadata = {'url': '/{policyAssignmentId}'} # type: ignore @distributed_trace def create_by_id( self, policy_assignment_id: str, parameters: "_models.PolicyAssignment", **kwargs: Any ) -> "_models.PolicyAssignment": """Creates a policy assignment by ID. Policy assignments are inherited by child resources. For example, when you apply a policy to a resource group that policy is assigned to all resources in the group. When providing a scope for the assignment, use '/subscriptions/{subscription-id}/' for subscriptions, '/subscriptions/{subscription-id}/resourceGroups/{resource-group-name}' for resource groups, and '/subscriptions/{subscription-id}/resourceGroups/{resource-group-name}/providers/{resource-provider-namespace}/{resource-type}/{resource-name}' for resources. :param policy_assignment_id: The ID of the policy assignment to create. Use the format '/{scope}/providers/Microsoft.Authorization/policyAssignments/{policy-assignment-name}'. :type policy_assignment_id: str :param parameters: Parameters for policy assignment. :type parameters: ~azure.mgmt.resource.policy.v2016_12_01.models.PolicyAssignment :keyword callable cls: A custom type or function that will be passed the direct response :return: PolicyAssignment, or the result of cls(response) :rtype: ~azure.mgmt.resource.policy.v2016_12_01.models.PolicyAssignment :raises: ~azure.core.exceptions.HttpResponseError """ cls = kwargs.pop('cls', None) # type: ClsType["_models.PolicyAssignment"] error_map = { 401: ClientAuthenticationError, 404: ResourceNotFoundError, 409: ResourceExistsError } error_map.update(kwargs.pop('error_map', {})) content_type = kwargs.pop('content_type', "application/json") # type: Optional[str] _json = self._serialize.body(parameters, 'PolicyAssignment') request = build_create_by_id_request( policy_assignment_id=policy_assignment_id, content_type=content_type, json=_json, template_url=self.create_by_id.metadata['url'], ) request = _convert_request(request) request.url = self._client.format_url(request.url) pipeline_response = self._client._pipeline.run(request, stream=False, **kwargs) response = pipeline_response.http_response if response.status_code not in [201]: map_error(status_code=response.status_code, response=response, error_map=error_map) raise HttpResponseError(response=response, error_format=ARMErrorFormat) deserialized = self._deserialize('PolicyAssignment', pipeline_response) if cls: return cls(pipeline_response, deserialized, {}) return deserialized create_by_id.metadata = {'url': '/{policyAssignmentId}'} # type: ignore @distributed_trace def get_by_id( self, policy_assignment_id: str, **kwargs: Any ) -> "_models.PolicyAssignment": """Gets a policy assignment by ID. When providing a scope for the assignment, use '/subscriptions/{subscription-id}/' for subscriptions, '/subscriptions/{subscription-id}/resourceGroups/{resource-group-name}' for resource groups, and '/subscriptions/{subscription-id}/resourceGroups/{resource-group-name}/providers/{resource-provider-namespace}/{resource-type}/{resource-name}' for resources. :param policy_assignment_id: The ID of the policy assignment to get. Use the format '/{scope}/providers/Microsoft.Authorization/policyAssignments/{policy-assignment-name}'. :type policy_assignment_id: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PolicyAssignment, or the result of cls(response) :rtype: ~azure.mgmt.resource.policy.v2016_12_01.models.PolicyAssignment :raises: ~azure.core.exceptions.HttpResponseError """ cls = kwargs.pop('cls', None) # type: ClsType["_models.PolicyAssignment"] error_map = { 401: ClientAuthenticationError, 404: ResourceNotFoundError, 409: ResourceExistsError } error_map.update(kwargs.pop('error_map', {})) request = build_get_by_id_request( policy_assignment_id=policy_assignment_id, template_url=self.get_by_id.metadata['url'], ) request = _convert_request(request) request.url = self._client.format_url(request.url) pipeline_response = self._client._pipeline.run(request, stream=False, **kwargs) response = pipeline_response.http_response if response.status_code not in [200]: map_error(status_code=response.status_code, response=response, error_map=error_map) raise HttpResponseError(response=response, error_format=ARMErrorFormat) deserialized = self._deserialize('PolicyAssignment', pipeline_response) if cls: return cls(pipeline_response, deserialized, {}) return deserialized get_by_id.metadata = {'url': '/{policyAssignmentId}'} # type: ignore
Azure/azure-sdk-for-python
sdk/resources/azure-mgmt-resource/azure/mgmt/resource/policy/v2016_12_01/operations/_policy_assignments_operations.py
Python
mit
38,695
class CreateDocuments < ActiveRecord::Migration[5.0] def change create_table :documents do |t| t.integer :product_id, null: false t.string :type, null: false t.string :url, null: false t.timestamps end end end
unasuke/proconist.net
db/migrate/20160610084904_create_documents.rb
Ruby
mit
265
@font-face { font-family: 'icomoon'; src: url('../fonts/icomoon.eot'); src: url('../fonts/icomoon.eot?#iefix') format('embedded-opentype'), url('../fonts/icomoon.woff') format('woff'), url('../fonts/icomoon.ttf') format('truetype'), url('../fonts/icomoon.svg#icomoon') format('svg'); font-weight: normal; font-style: normal; } /* Windows Chrome ugly fix http://stackoverflow.com/questions/13674808/chrome-svg-font-rendering-breaks-layout/14345363#14345363 */ @media screen and (-webkit-min-device-pixel-ratio:0) { @font-face { font-family: 'icomoon'; src: url('../fonts/icomoon.svg#icomoon') format('svg'); }; } a, li {-webkit-tap-highlight-color: rgba(0, 0, 0, 0);} /* CSS général appliqué quelque soit la taille de l'écran */ .nav ul { max-width: 100%; margin: 0; padding: 0; list-style: none; font-size: 1.5em; font-weight: 300; } .nav li span {display: block;} .nav a { display: block; padding-top:8px; color: rgba(249, 249, 249, .9); text-decoration: none; -webkit-transition: color .5s, background .5s, height .5s; -moz-transition: color .5s, background .5s, height .5s; -o-transition: color .5s, background .5s, height .5s; -ms-transition: color .5s, background .5s, height .5s; transition: color .5s, background .5s, height .5s; } /* Remove the blue Webkit background when element is tapped */ a, button {-webkit-tap-highlight-color: rgba(0,0,0,0);} /* Hover effect for the whole navigation to make the hovered item stand out */ .no-touch .nav ul:hover a {color: rgba(249, 249, 249, .5);} .no-touch .nav ul:hover a:hover {color: rgba(249, 249, 249, 0.99);} /* Couleur de fond aux différents éléments du menu de navigation */ .nav li:nth-child(6n+1) {background: rgb(208, 101, 3);} .nav li:nth-child(6n+2) {background: rgb(233, 147, 26);} .nav li:nth-child(6n+3) {background: rgb(22, 145, 190);} .nav li:nth-child(6n+4) {background: rgb(22, 107, 162);} .nav li:nth-child(6n+5) {background: rgb(27, 54, 71);} .nav li:nth-child(6n+6) {background: rgb(21, 40, 54);} /* Pour les écrans au-delà de 800px */ @media (min-width: 50em) { /* Les fonds d'écran s'étirent à 100% sur leur axe horizontal */ .bg1, .bg2, .bg3, .bg4 {background-size:100% auto;} /* Les éléments du menu s'alignent sur l'horizontal */ .nav li { float: left; width: 20%; text-align: center; -webkit-transition: border .5s; -moz-transition: border .5s; -o-transition: border .5s; -ms-transition: border .5s; transition: border .5s; } .nav a {display: block;width: auto;} /* hover, focus et active : ils ajoutent une bordure colorée aux éléments */ .no-touch .nav li:nth-child(6n+1) a:hover, .no-touch .nav li:nth-child(6n+1) a:active, .no-touch .nav li:nth-child(6n+1) a:focus { border-bottom: 4px solid rgb(174, 78, 1); } .no-touch .nav li:nth-child(6n+2) a:hover, .no-touch .nav li:nth-child(6n+2) a:active, .no-touch .nav li:nth-child(6n+2) a:focus { border-bottom: 4px solid rgb(191, 117, 20); } .no-touch .nav li:nth-child(6n+3) a:hover, .no-touch .nav li:nth-child(6n+3) a:active, .no-touch .nav li:nth-child(6n+3) a:focus { border-bottom: 4px solid rgb(12, 110, 149); } .no-touch .nav li:nth-child(6n+4) a:hover, .no-touch .nav li:nth-child(6n+4) a:active, .no-touch .nav li:nth-child(6n+4) a:focus { border-bottom: 4px solid rgb(10, 75, 117); } .no-touch .nav li:nth-child(6n+5) a:hover, .no-touch .nav li:nth-child(6n+5) a:active, .no-touch .nav li:nth-child(6n+5) a:focus { border-bottom: 4px solid rgb(16, 34, 44); } .no-touch .nav li:nth-child(6n+6) a:hover, .no-touch .nav li:nth-child(6n+6) a:active, .no-touch .nav li:nth-child(6n+6) a:focus { border-bottom: 4px solid rgb(9, 18, 25); } /* Possibilité d'animer la hauteur des onglets : là elle est fixe */ .nav a, .no-touch .nav a:hover , .nav a:active , .nav a:focus { height: 2.2em; } } @media (min-width: 50em) and (max-width: 61.250em) { /* Size and font adjustments to make it fit into the screen*/ .nav ul {font-size: 1.2em;} } /* Version tablette et mobile */ /* Disposition générale */ @media (max-width: 49.938em) { /* Bordure colorée */ .no-touch .nav ul li:nth-child(6n+1) a:hover, .no-touch .nav ul li:nth-child(6n+1) a:active, .no-touch .nav ul li:nth-child(6n+1) a:focus { background: rgb(227, 119, 20); } .no-touch .nav li:nth-child(6n+2) a:hover, .no-touch .nav li:nth-child(6n+2) a:active, .no-touch .nav li:nth-child(6n+2) a:focus { background: rgb(245, 160, 41); } .no-touch .nav li:nth-child(6n+3) a:hover, .no-touch .nav li:nth-child(6n+3) a:active, .no-touch .nav li:nth-child(6n+3) a:focus { background: rgb(44, 168, 219); } .no-touch .nav li:nth-child(6n+4) a:hover, .no-touch .nav li:nth-child(6n+4) a:active, .no-touch .nav li:nth-child(6n+4) a:focus { background: rgb(31, 120, 176); } .no-touch .nav li:nth-child(6n+5) a:hover, .no-touch .nav li:nth-child(6n+5) a:active, .no-touch .nav li:nth-child(6n+5) a:focus { background: rgb(39, 70, 90); } .no-touch .nav li:nth-child(6n+6) a:hover, .no-touch .nav li:nth-child(6n+6) a:active, .no-touch .nav li:nth-child(6n+6) a:focus { background: rgb(32, 54, 68); } .nav ul li { -webkit-transition: background 0.5s; -moz-transition: background 0.5s; -o-transition: background 0.5s; -ms-transition: background 0.5s; transition: background 0.5s; } } /* Propriétés CSS spécifiques au mode "Colonnes 2x3" */ @media (min-width:32.5em) and (max-width: 49.938em) { /* Les fonds d'écran s'étirent à 100% sur leur axe horizontal */ .bg1,.bg2,.bg3,.bg4{background-size:auto 100%;} /* Creating the 2 column layout using floating elements once again */ .nav li {display: block;float: left;width: 50%;} /* Adding some padding to make the elements look nicer*/ .nav a {padding: 0.8em;} /* Displaying the icons on the left, and the text on the right side using inlin-block*/ .nav li span {display: inline-block;} } /* Styling the toggle menu link and hiding it */ .nav .navtoogle{ display: none; width: 100%; padding: 0.5em 0.5em 0.8em; font-family: 'Lato',Calibri,Arial,sans-serif; font-weight: normal; text-align: left; color: rgb(7, 16, 15); font-size: 1.2em; background: none; border: none; border-bottom: 4px solid rgb(221, 221, 221); cursor: pointer; } /* Adapter la taille de police pour les petits écrans*/ @media (min-width: 32.5em) and (max-width: 38.688em) { .nav li span { font-size: 0.9em; } } /* Version mobile */ @media (max-width: 32.438em) { /* Les fonds d'écran s'étirent à 100% sur leur axe horizontal */ .bg1,.bg2,.bg3,.bg4{background-size:auto 100%;} /* Unhiding the styled menu link */ .nav .navtoogle{margin: 0;display: block;} /* Animating the height of the navigation when the button is clicked */ /* When JavaScript is disabled, we hide the menu */ .no-js .nav ul {max-height: 30em;overflow: hidden;} /* When JavaScript is enabled, we hide the menu */ .js .nav ul {max-height: 0em;overflow: hidden;} /* Displaying the menu when the user has clicked on the button*/ .js .nav .active + ul { max-height: 30em; overflow: hidden; -webkit-transition: max-height .4s; -moz-transition: max-height .4s; -o-transition: max-height .4s; -ms-transition: max-height .4s; transition: max-height .4s; } /* Adapting the layout of the menu for smaller screens : icon on the left and text on the right*/ .nav li span {display: inline-block;height: 100%;} .nav a {padding: 0.5em;} /* Ajout d'une bordure gauche de 8px avec une couleur différente pour chaque élément */ .nav li:nth-child(6n+1) {border-left: 8px solid rgb(174, 78, 1);} .nav li:nth-child(6n+2) {border-left: 8px solid rgb(191, 117, 20);} .nav li:nth-child(6n+3) {border-left: 8px solid rgb(13, 111, 150);} .nav li:nth-child(6n+4) {border-left: 8px solid rgb(10, 75, 117);} .nav li:nth-child(6n+5) {border-left: 8px solid rgb(16, 34, 44);} .nav li:nth-child(6n+6) {border-left: 8px solid rgb(9, 18, 25);} /* make the nav bigger on touch screens */ .touch .nav a {padding: 0.8em;} }
fedeB-IT-dept/fedeB_website
rescue/css/component.css
CSS
mit
8,064
# lecture-02 2018-01-29 * add buttons for handouts * add additional content related to Open GIS * add speakerdeck integration # lecture-02 2018-01-28 * add initial site with youtube video for lecture prep replication embedded # lecture-02 2018-01-02 * add `NEWS_SITE.md` for tracking updates to the course site, *but site for this lecture is not live*.
slu-soc5650/week-02
NEWS_SITE.md
Markdown
mit
358
# Rustic Pizza A collection of pizzeria web apps, written in Rust, with each webapp using different web frameworks. * https://rust-lang.org * https://rustup.rs * https://doc.rust-lang.org/book/README.html * https://doc.rust-lang.org/std/ * http://rustbyexample.com/index.html * https://aturon.github.io/ * http://www.arewewebyet.org * https://github.com/flosse/rust-web-framework-comparison
flurdy/rustic-pizza
README.md
Markdown
mit
394
<?php namespace PSR2R\Sniffs\Commenting; use PHP_CodeSniffer\Files\File; use PHP_CodeSniffer\Util\Tokens; use PSR2R\Tools\AbstractSniff; use PSR2R\Tools\Traits\CommentingTrait; use PSR2R\Tools\Traits\SignatureTrait; /** * Methods always need doc blocks. * Constructor and destructor may not have one if they do not have arguments. */ class DocBlockSniff extends AbstractSniff { use CommentingTrait; use SignatureTrait; /** * @inheritDoc */ public function register(): array { return [T_FUNCTION]; } /** * @inheritDoc */ public function process(File $phpcsFile, $stackPtr): void { $tokens = $phpcsFile->getTokens(); $nextIndex = $phpcsFile->findNext(Tokens::$emptyTokens, $stackPtr + 1, null, true); if ($nextIndex === false) { return; } if ($tokens[$nextIndex]['content'] === '__construct' || $tokens[$nextIndex]['content'] === '__destruct') { $this->checkConstructorAndDestructor($phpcsFile, $stackPtr); return; } // Don't mess with closures $prevIndex = $phpcsFile->findPrevious(Tokens::$emptyTokens, $stackPtr - 1, null, true); if (!$this->isGivenKind(Tokens::$methodPrefixes, $tokens[$prevIndex])) { return; } $docBlockEndIndex = $this->findRelatedDocBlock($phpcsFile, $stackPtr); if ($docBlockEndIndex) { return; } // We only look for void methods right now $returnType = $this->detectReturnTypeVoid($phpcsFile, $stackPtr); if ($returnType === null) { $phpcsFile->addError('Method does not have a doc block: ' . $tokens[$nextIndex]['content'] . '()', $nextIndex, 'DocBlockMissing'); return; } $fix = $phpcsFile->addFixableError('Method does not have a docblock with return void statement: ' . $tokens[$nextIndex]['content'], $nextIndex, 'ReturnVoidMissing'); if (!$fix) { return; } $this->addDocBlock($phpcsFile, $stackPtr, $returnType); } /** * @param \PHP_CodeSniffer\Files\File $phpcsFile * @param int $index * @param string $returnType * * @return void */ protected function addDocBlock(File $phpcsFile, int $index, string $returnType): void { $tokens = $phpcsFile->getTokens(); $firstTokenOfLine = $this->getFirstTokenOfLine($tokens, $index); $prevContentIndex = $phpcsFile->findPrevious(T_WHITESPACE, $firstTokenOfLine - 1, null, true); if ($prevContentIndex === false) { return; } if ($tokens[$prevContentIndex]['type'] === 'T_ATTRIBUTE_END') { $firstTokenOfLine = $this->getFirstTokenOfLine($tokens, $prevContentIndex); } $indentation = $this->getIndentationWhitespace($phpcsFile, $index); $phpcsFile->fixer->beginChangeset(); $phpcsFile->fixer->addNewlineBefore($firstTokenOfLine); $phpcsFile->fixer->addContentBefore($firstTokenOfLine, $indentation . ' */'); $phpcsFile->fixer->addNewlineBefore($firstTokenOfLine); $phpcsFile->fixer->addContentBefore($firstTokenOfLine, $indentation . ' * @return ' . $returnType); $phpcsFile->fixer->addNewlineBefore($firstTokenOfLine); $phpcsFile->fixer->addContentBefore($firstTokenOfLine, $indentation . '/**'); $phpcsFile->fixer->endChangeset(); } /** * @param \PHP_CodeSniffer\Files\File $phpcsFile * @param int $stackPtr * * @return void */ protected function checkConstructorAndDestructor(File $phpcsFile, int $stackPtr): void { $docBlockEndIndex = $this->findRelatedDocBlock($phpcsFile, $stackPtr); if ($docBlockEndIndex) { return; } $methodSignature = $this->getMethodSignature($phpcsFile, $stackPtr); $arguments = count($methodSignature); if (!$arguments) { return; } $phpcsFile->addError('Missing doc block for method', $stackPtr, 'ConstructDesctructMissingDocBlock'); } /** * @param \PHP_CodeSniffer\Files\File $phpcsFile * @param int $docBlockStartIndex * @param int $docBlockEndIndex * * @return int|null */ protected function findDocBlockReturn(File $phpcsFile, int $docBlockStartIndex, int $docBlockEndIndex): ?int { $tokens = $phpcsFile->getTokens(); for ($i = $docBlockStartIndex + 1; $i < $docBlockEndIndex; $i++) { if (!$this->isGivenKind(T_DOC_COMMENT_TAG, $tokens[$i])) { continue; } if ($tokens[$i]['content'] !== '@return') { continue; } return $i; } return null; } /** * For right now we only try to detect void. * * @param \PHP_CodeSniffer\Files\File $phpcsFile * @param int $index * * @return string|null */ protected function detectReturnTypeVoid(File $phpcsFile, int $index): ?string { $tokens = $phpcsFile->getTokens(); $type = 'void'; if (empty($tokens[$index]['scope_opener'])) { return null; } $methodStartIndex = $tokens[$index]['scope_opener']; $methodEndIndex = $tokens[$index]['scope_closer']; for ($i = $methodStartIndex + 1; $i < $methodEndIndex; ++$i) { if ($this->isGivenKind([T_FUNCTION, T_CLOSURE], $tokens[$i])) { $endIndex = $tokens[$i]['scope_closer']; if (!empty($tokens[$i]['nested_parenthesis'])) { $endIndex = array_pop($tokens[$i]['nested_parenthesis']); } $i = $endIndex; continue; } if (!$this->isGivenKind([T_RETURN], $tokens[$i])) { continue; } $nextIndex = $phpcsFile->findNext(Tokens::$emptyTokens, $i + 1, null, true); if (!$this->isGivenKind(T_SEMICOLON, $tokens[$nextIndex])) { return null; } } return $type; } }
php-fig-rectified/psr2r-sniffer
PSR2R/Sniffs/Commenting/DocBlockSniff.php
PHP
mit
5,275
(function() { 'use strict'; process.env.debug_sql = true; var Class = require('ee-class') , log = require('ee-log') , assert = require('assert') , fs = require('fs') , QueryContext = require('related-query-context') , ORM = require('related'); var TimeStamps = require('../') , sqlStatments , extension , orm , db; // sql for test db sqlStatments = fs.readFileSync(__dirname+'/db.postgres.sql').toString().split(';').map(function(input){ return input.trim().replace(/\n/gi, ' ').replace(/\s{2,}/g, ' ') }).filter(function(item){ return item.length; }); describe('Travis', function(){ it('should have set up the test db', function(done){ var config; try { config = require('../config.js').db } catch(e) { config = [{ type: 'postgres' , schema: 'related_timestamps_test' , database : 'test' , hosts: [{}] }]; } this.timeout(5000); orm = new ORM(config); done(); }); it('should be able to drop & create the testing schema ('+sqlStatments.length+' raw SQL queries)', function(done){ orm.getDatabase('related_timestamps_test').getConnection('write').then((connection) => { return new Promise((resolve, reject) => { let exec = (index) => { if (sqlStatments[index]) { connection.query(new QueryContext({sql:sqlStatments[index]})).then(() => { exec(index + 1); }).catch(reject); } else resolve(); } exec(0); }); }).then(() => { done(); }).catch(done); }); }); var expect = function(val, cb){ return function(err, result){ try { assert.equal(JSON.stringify(result), val); } catch (err) { return cb(err); } cb(); } }; describe('The TimeStamps Extension', function() { var oldDate; it('should not crash when instatiated', function() { db = orm.related_timestamps_test; extension = new TimeStamps(); }); it('should not crash when injected into the orm', function(done) { orm.use(extension); orm.load(done); }); it('should set correct timestamps when inserting a new record', function(done) { db = orm.related_timestamps_test; new db.event().save(function(err, evt) { if (err) done(err); else { assert.notEqual(evt.created, null); assert.notEqual(evt.updated, null); assert.equal(evt.deleted, null); oldDate = evt.updated; done(); } }); }); it('should set correct timestamps when updating a record', function(done) { // wait, we nede a new timestamp setTimeout(function() { db.event({id:1}, ['*']).findOne(function(err, evt) { if (err) done(err); else { evt.name = 'func with timestamps? no, that ain\'t fun!'; evt.save(function(err){ assert.notEqual(evt.created, null); assert.notEqual(evt.updated, null); assert.notEqual(evt.updated.toUTCString(), oldDate.toUTCString()); assert.equal(evt.deleted, null); done(); }); } }); }, 1500); }); it('should set correct timestamps when deleting a record', function(done) { db.event({id:1}, ['*']).findOne(function(err, evt) { if (err) done(err); else { evt.delete(function(err) { assert.notEqual(evt.created, null); assert.notEqual(evt.updated, null); assert.notEqual(evt.deleted, null); done(); }); } }); }); it('should not return soft deleted records when not requested', function(done) { db.event({id:1}, ['*']).findOne(function(err, evt) { if (err) done(err); else { assert.equal(evt, undefined); done(); } }); }); it('should return soft deleted records when requested', function(done) { db.event({id:1}, ['*']).includeSoftDeleted().findOne(function(err, evt) { if (err) done(err); else { assert.equal(evt.id, 1); done(); } }); }); it('should hard delete records when requested', function(done) { db.event({id:1}, ['*']).includeSoftDeleted().findOne(function(err, evt) { if (err) done(err); else { evt.hardDelete(function(err) { if (err) done(err); else { db.event({id:1}, ['*']).findOne(function(err, evt) { if (err) done(err); else { assert.equal(evt, undefined); done(); } }); } }); } }); }); it('should not load softdeleted references', function(done) { new db.event({ name: 'so what' , eventInstance: [new db.eventInstance({startdate: new Date(), deleted: new Date()})] }).save(function(err, evt) { if (err) done(err); else { db.event(['*'], {id:evt.id}).fetchEventInstance(['*']).findOne(function(err, event) { if (err) done(err); else { assert.equal(event.eventInstance.length, 0); done(); } }); } }); }) it ('should work when using bulk deletes', function(done) { new db.event({name: 'bulk delete 1'}).save().then(function() { return new db.event({name: 'bulk delete 2'}).save() }).then(function() { return new db.event({name: 'bulk delete 3'}).save() }).then(function() { return db.event('id').find(); }).then(function(records) { if (JSON.stringify(records) !== '[{"id":2},{"id":3},{"id":4},{"id":5}]') return Promise.reject(new Error('Expected «[{"id":2},{"id":3},{"id":4},{"id":5}]», got «'+JSON.stringify(records)+'»!')) else return db.event({ id: ORM.gt(3) }).delete(); }).then(function() { return db.event('id').find(); }).then(function(emptyList) { if (JSON.stringify(emptyList) !== '[{"id":2},{"id":3}]') return Promise.reject(new Error('Expected «[{"id":2},{"id":3}]», got «'+JSON.stringify(emptyList)+'»!')) else return db.event('id').includeSoftDeleted().find(); }).then(function(list) { if (JSON.stringify(list) !== '[{"id":2},{"id":3},{"id":4},{"id":5}]') return Promise.reject(new Error('Expected «[{"id":2},{"id":3},{"id":4},{"id":5}]», got «'+JSON.stringify(list)+'»!')) done(); }).catch(done); }) }); })();
eventEmitter/related-timestamps
test/extension.js
JavaScript
mit
8,381
#!/usr/bin/env ruby require 'tasklist' during '2010 September' do on '2010-09-03' do task 'Take out garbage' task 'Wash car' end on '2010-09-02' do task 'Create tasklist DSL', '09:15:56', '', 'admin', 'done' task 'Push tasklist to github', '09:34:00', '09:38:04', 'github' end end
kevincolyar/tasklist
example.rb
Ruby
mit
310
var passport = require('passport'); var WebIDStrategy = require('passport-webid').Strategy; var tokens = require('../../util/tokens'); var ids = require('../../util/id'); var console = require('../../log'); var createError = require('http-errors'); var dateUtils = require('../../util/date'); var url = require('url'); function loadStrategy(conf, entityStorageConf) { var auth_type = "webid"; var db = require('../../db')(conf, entityStorageConf); var enabled = conf.enabledStrategies.filter(function (v) { return (v === auth_type); }); if (enabled.length === 0) { console.log('ignoring ' + auth_type + ' strategy for user authentication. Not enabled in the configuration'); return false; } else { try { passport.use(auth_type, new WebIDStrategy( function (webid, certificate, req, done) { console.log("Aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa"); console.log("Aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa"); console.log("Aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa"); console.log("Aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa"); console.log("Aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa"); console.log("Aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa"); console.log("Aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa"); console.log("Aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa"); console.log("Aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa"); console.log("Aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa"); console.log("Aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa"); console.log("Aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa"); console.log("Aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa"); console.log("Aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa"); var id = { user_name: webid, auth_type: auth_type }; var oauth2ReturnToParsed = url.parse(req.session.returnTo, true).query; console.log(" sesion in strategy " + auth_type + JSON.stringify(oauth2ReturnToParsed)); console.log(" client id from session in " + auth_type + JSON.stringify(oauth2ReturnToParsed.client_id)); console.log(" response_type for oauth2 in " + auth_type + JSON.stringify(oauth2ReturnToParsed.response_type)); var accessToken = tokens.uid(30); var d = Date.parse(certificate.valid_to); var default_exp = dateUtils.dateToEpochMilis(d); db.users.findByUsernameAndAuthType(webid, auth_type, function (err, user) { if (err) { return done(err); } if (!user) { return done(null, false); } db.accessTokens.saveOauth2Token(accessToken, user.id, oauth2ReturnToParsed.client_id, "bearer", [conf.gateway_id], default_exp, null, oauth2ReturnToParsed.response_type, function (err) { if (err) { return done(err); } return done(null, user); }); }); } )); console.log('finished registering passport ' + auth_type + ' strategy'); return true; } catch (e) { console.log('FAIL TO register a strategy'); console.log('ERROR: error loading ' + auth_type + ' passport strategy: ' + e); return false; } } } module.exports = loadStrategy;
Agile-IoT/agile-idm-web-ui
lib/auth/providers/webid.js
JavaScript
mit
3,465
module AwsHelpers module ElasticLoadBalancing class CreateTag def initialize(elastic_load_balancing_client, load_balancer_name, tag_key, tag_value) @elastic_load_balancing_client = elastic_load_balancing_client @load_balancer_name = load_balancer_name @tag_key = tag_key @tag_value = tag_value end def execute resp = @elastic_load_balancing_client.add_tags({load_balancer_names: [@load_balancer_name], tags: [{key: @tag_key, value: @tag_value}] }) end end end end
MYOB-Technology/aws_helpers
lib/aws_helpers/elastic_load_balancing/create_tag.rb
Ruby
mit
652
export declare class Console { private static quiet; private static debug; private static verbose; static Log(text: any): void; private static readonly Timestamp; static Debug(text: any): void; static Verbose(text: any): void; static Error(text: any): void; static Exit(reason: any): void; }
APEEYEDOTCOM/hapi-bells
node_modules/autorest/console.d.ts
TypeScript
mit
328
<?php /* * This file is part of the Sylius package. * * (c) Paweł Jędrzejewski * * For the full copyright and license information, please view the LICENSE * file that was distributed with this source code. */ declare(strict_types=1); namespace Sylius\Bundle\CoreBundle\Command; use Sylius\Component\Core\Model\AdminUserInterface; use Sylius\Component\User\Repository\UserRepositoryInterface; use Symfony\Component\Console\Helper\QuestionHelper; use Symfony\Component\Console\Input\InputInterface; use Symfony\Component\Console\Output\OutputInterface; use Symfony\Component\Console\Question\Question; use Symfony\Component\Console\Style\SymfonyStyle; use Symfony\Component\Validator\Constraints\Email; use Symfony\Component\Validator\Constraints\NotBlank; use Symfony\Component\Validator\ConstraintViolationListInterface; use Webmozart\Assert\Assert; final class SetupCommand extends AbstractInstallCommand { /** * {@inheritdoc} */ protected function configure(): void { $this ->setName('sylius:install:setup') ->setDescription('Sylius configuration setup.') ->setHelp(<<<EOT The <info>%command.name%</info> command allows user to configure basic Sylius data. EOT ) ; } /** * {@inheritdoc} */ protected function execute(InputInterface $input, OutputInterface $output): void { $currency = $this->get('sylius.setup.currency')->setup($input, $output, $this->getHelper('question')); $locale = $this->get('sylius.setup.locale')->setup($input, $output); $this->get('sylius.setup.channel')->setup($locale, $currency); $this->setupAdministratorUser($input, $output, $locale->getCode()); } /** * @param InputInterface $input * @param OutputInterface $output * @param string $localeCode */ protected function setupAdministratorUser(InputInterface $input, OutputInterface $output, string $localeCode): void { $outputStyle = new SymfonyStyle($input, $output); $outputStyle->writeln('Create your administrator account.'); $userManager = $this->get('sylius.manager.admin_user'); $userFactory = $this->get('sylius.factory.admin_user'); try { $user = $this->configureNewUser($userFactory->createNew(), $input, $output); } catch (\InvalidArgumentException $exception) { return; } $user->setEnabled(true); $user->setLocaleCode($localeCode); $userManager->persist($user); $userManager->flush(); $outputStyle->writeln('<info>Administrator account successfully registered.</info>'); $outputStyle->newLine(); } /** * @param AdminUserInterface $user * @param InputInterface $input * @param OutputInterface $output * * @return AdminUserInterface */ private function configureNewUser( AdminUserInterface $user, InputInterface $input, OutputInterface $output ): AdminUserInterface { /** @var UserRepositoryInterface $userRepository */ $userRepository = $this->getAdminUserRepository(); if ($input->getOption('no-interaction')) { Assert::null($userRepository->findOneByEmail('sylius@example.com')); $user->setEmail('sylius@example.com'); $user->setUsername('sylius'); $user->setPlainPassword('sylius'); return $user; } $email = $this->getAdministratorEmail($input, $output); $user->setEmail($email); $user->setUsername($this->getAdministratorUsername($input, $output, $email)); $user->setPlainPassword($this->getAdministratorPassword($input, $output)); return $user; } /** * @return Question */ private function createEmailQuestion(): Question { return (new Question('E-mail: ')) ->setValidator(function ($value) { /** @var ConstraintViolationListInterface $errors */ $errors = $this->get('validator')->validate((string) $value, [new Email(), new NotBlank()]); foreach ($errors as $error) { throw new \DomainException($error->getMessage()); } return $value; }) ->setMaxAttempts(3) ; } /** * @param InputInterface $input * @param OutputInterface $output * * @return string */ private function getAdministratorEmail(InputInterface $input, OutputInterface $output): string { /** @var QuestionHelper $questionHelper */ $questionHelper = $this->getHelper('question'); /** @var UserRepositoryInterface $userRepository */ $userRepository = $this->getAdminUserRepository(); do { $question = $this->createEmailQuestion(); $email = $questionHelper->ask($input, $output, $question); $exists = null !== $userRepository->findOneByEmail($email); if ($exists) { $output->writeln('<error>E-Mail is already in use!</error>'); } } while ($exists); return $email; } /** * @param InputInterface $input * @param OutputInterface $output * @param string $email * * @return string */ private function getAdministratorUsername(InputInterface $input, OutputInterface $output, string $email): string { /** @var QuestionHelper $questionHelper */ $questionHelper = $this->getHelper('question'); /** @var UserRepositoryInterface $userRepository */ $userRepository = $this->getAdminUserRepository(); do { $question = new Question('Username (press enter to use email): ', $email); $username = $questionHelper->ask($input, $output, $question); $exists = null !== $userRepository->findOneBy(['username' => $username]); if ($exists) { $output->writeln('<error>Username is already in use!</error>'); } } while ($exists); return $username; } /** * @param InputInterface $input * @param OutputInterface $output * * @return mixed */ private function getAdministratorPassword(InputInterface $input, OutputInterface $output) { /** @var QuestionHelper $questionHelper */ $questionHelper = $this->getHelper('question'); $validator = $this->getPasswordQuestionValidator(); do { $passwordQuestion = $this->createPasswordQuestion('Choose password:', $validator); $confirmPasswordQuestion = $this->createPasswordQuestion('Confirm password:', $validator); $password = $questionHelper->ask($input, $output, $passwordQuestion); $repeatedPassword = $questionHelper->ask($input, $output, $confirmPasswordQuestion); if ($repeatedPassword !== $password) { $output->writeln('<error>Passwords do not match!</error>'); } } while ($repeatedPassword !== $password); return $password; } /** * @return \Closure */ private function getPasswordQuestionValidator(): \Closure { return function ($value) { /** @var ConstraintViolationListInterface $errors */ $errors = $this->get('validator')->validate($value, [new NotBlank()]); foreach ($errors as $error) { throw new \DomainException($error->getMessage()); } return $value; }; } /** * @param string $message * @param \Closure $validator * * @return Question */ private function createPasswordQuestion(string $message, \Closure $validator): Question { return (new Question($message)) ->setValidator($validator) ->setMaxAttempts(3) ->setHidden(true) ->setHiddenFallback(false) ; } /** * @return UserRepositoryInterface */ private function getAdminUserRepository(): UserRepositoryInterface { return $this->get('sylius.repository.admin_user'); } }
vihuvac/Sylius
src/Sylius/Bundle/CoreBundle/Command/SetupCommand.php
PHP
mit
8,226
import { Nibble, UInt4 } from '../types' /** * Returns a Nibble (0-15) which equals the given bits. * * @example * byte.write([1,0,1,0]) => 10 * * @param {Array} nibble 4-bit unsigned integer * @return {Number} */ export default (nibble: Nibble): UInt4 => { if (!Array.isArray(nibble) || nibble.length !== 4) throw new RangeError('invalid array length') let result: UInt4 = 0 for (let i: number = 0; i < 4; i++) if (nibble[3 - i]) result |= 1 << i return <UInt4>result }
dodekeract/bitwise
source/nibble/write.ts
TypeScript
mit
489
import { Injectable } from '@angular/core'; import { DataService } from '../../../_service/dataconnect'; import { Router } from '@angular/router'; @Injectable() export class WarehouseViewService { constructor(private _dataserver: DataService, private _router: Router) { } getwarehouseTransfer(req: any) { return this._dataserver.post("getwarehouseTransfer", req); } }
masagatech/erpv1
src/app/_service/warehousestock/view/view-service.ts
TypeScript
mit
390
{% extends "base.html" %} {% load static %} {% load template_extras %} {% block title %}Analyse{% endblock %} {% block active_class %}analyse{% endblock %} {% block extra_css %} <link href="{% static 'css/select2.min.css' %}" rel="stylesheet"> <link href="{% static 'css/jquery.nouislider.css' %}" rel="stylesheet"> <link href="{% static 'css/jquery.nouislider.pips.css' %}" rel="stylesheet"> <link href='https://api.tiles.mapbox.com/mapbox.js/v2.2.1/mapbox.css' rel='stylesheet' /> {% endblock %} {% block content %} <h1>Search GP prescribing data</h1> <p>Search 700 million rows of prescribing data, and get prescribing information by practice, PCN, CCG, STP or regional team. You can search for any numerator over any denominator.</p> <p>Unsure how to create your own searches? <a target="_blank" href="{% url 'analyse' %}#numIds=0212000AA&denomIds=2.12">Try an example</a>, <a target="_blank" href="http://openprescribing.net/docs/analyse">read more</a> about how to use this tool, check our <a target="_blank" href="{% url 'faq' %}">FAQs</a> and read our <a href='https://ebmdatalab.net/prescribing-data-bnf-codes/'> what is a BNF code blog</a>.</p> <div class="alert alert-danger" role="alert" style="margin-top: 10px;" id="old-browser"> <strong>Warning!</strong> It looks like you're using an older browser. This form may be very slow, as it has to crunch through a lot of data to render the graphs. If you can, please try again with a modern browser. </div> {% include '_get_in_touch.html' %} <div id="loading-form"> <p>Loading search form...</p> </div> <div id="analyse-options" class="invisible"> <div class="form-row"> <div class="col left"> <span class="help" id="numerator-help" data-toggle="popover" data-trigger="hover" data-placement="auto top">See prescribing of:</span> <div class="hidden" id="numerator-help-text">You can add BNF sections, chemicals, products or product format.<br/>For example: <ul> <li><em>Atorvastatin</em> will show all prescribing on the chemical, across multiple products</li> <li><em>Lipitor (branded)</em> will show all prescribing on just that product</li> <li><em>Lipitor_Tab 20mg</em> will show all prescribing on just that product format.</li> </ul> Add multiple items to see total prescribing on those items. </div> <!-- <span class="icon-up"></span>with a y-axis of: --> </div> <div class="col middle"> <select style="width: 100%" id="num" class="form-select not-searchable"> <option value="chemical" selected>drugs or BNF sections</option> <!-- <option value="all">everything</option> --> </select> </div> <div class="col right"> <div id="numIds-wrapper"> <select id="numIds" multiple="multiple" style="width: 100%"></select> </div> </div> </div> <div class="form-row"> <div class="col left"> <span class="help" id="denominator-help" data-toggle="popover" data-trigger="hover" data-placement="auto top">versus:</span> <div class="hidden" id="denominator-help-text">Add another BNF section or drug as a comparator.<br/>Or use standardised prescribing units (STAR-PUs) as an approximate measure of prescribing need.</div> <!-- <span class="icon-right"></span>and an x-axis of: --> </div> <div class="col middle"> <select style="width: 100%" id="denom" class="form-select not-searchable"> <option value="nothing" selected>nothing</option> <option value="chemical">drugs or BNF sections</option> <option value="total_list_size" selected>total list size</option> <option value="star_pu.oral_antibacterials_item">STAR-PUs for antibiotics</option> </select> </div> <div class="col right"> <div id="denomIds-wrapper"> <select id="denomIds" multiple="multiple" style="width: 100%"></select> </div> </div> </div> <div class="form-row"> <div class="col left">highlighting:</div> <div class="col middle"> <select style="width: 100%" id="org" class="form-select not-searchable"> <!-- <option value="all" selected>everyone</option> --> <option value="practice">a practice or practices</option> <option value="CCG">a CCG or CCGs</option> {% if pcns_enabled %}<option value="pcn">a PCN or PCNs</option>{% endif %} <option value="stp">an STP or STPs</option> <option value="regional_team">an NHS England Region</option> </select> </div> <div class="col right"> <div id="orgIds-container" style="display: none"> <select style="width: 100%" id="orgIds" multiple="multiple"> </select> <p class="help-block" id="org-help">Hint: add a CCG to see all its practices</p> </div> </div> </div> <p> <a href="/docs/analyse/">Tips on using this search</a> </p> <div> <button type="button" id="update" class="btn btn-primary" type="submit" data-loading-text="Fetching data..." data-loaded-text="Show me the data!">Show me the data!</button> </div> </div> <!-- /#analyse-options --> <div class="loading-wrapper"> <hr/> <img class="loading" src="{% static 'img/logo.svg' %}" onerror="this.src='{% static "img/ajax-loader.gif" %}';this.onerror=null;" title="Loading icon"> <br/>Fetching data... </div> <div id="error"> <hr/><p id='error-message'></p> </div> <div id="results"> <hr/> {% include '_share_button.html' %} <ul id="tabs" class="nav nav-tabs" role="tablist"> <li role="presentation" id="summary-tab" class="summary-tab active saveable"> <a href="#summary-panel" data-target="#summary-panel" aria-controls="settings" role="tab" data-toggle="tab">Show summary</a> </li> <li role="presentation" id="chart-tab" class="chart-tab hidden saveable"> <a href="#chart-panel" data-target="#chart-panel" aria-controls="settings" role="tab" data-toggle="tab">Time series</a> </li> <li role="presentation" id="map-tab" class="map-tab hidden saveable"> <a href="#map-panel" data-target="#map-panel" aria-controls="settings" role="tab" data-toggle="tab">Map</a> </li> <li role="presentation" id="data-tab" class="data-tab"> <a href="#data-panel" data-target="#data-panel" aria-controls="settings" role="tab" data-toggle="tab">Download CSV <span class="glyphicon glyphicon-download-alt" aria-hidden="true"></span></a> </li> </ul> <div class="tab-content"> <!-- Time slider and items toggle --> <div id="chart-options"> <div id="chart-options-wrapper"> {# Play button temporarily disabled until we fix issue #1368 #} {#<div id="play-slider" alt="Animate time series" class="glyphicon glyphicon-play-circle"></div>#} <div id="slider-wrapper"><div id="chart-date-slider"></div></div> <div id="items-spending-toggle" class="btn-group btn-toggle" aria-label="Show spending or items on graph"> <button class="btn btn-default btn-sm" data-type="actual_cost">spending</button> <button class="btn btn-info btn-sm" data-type="items">items</button> </div> </div> </div> <!-- Tab content --> <div role="tabpanel" class="tab-pane fade in active" id="summary-panel" class="summary-tab"> <div class="chart-title-wrapper"> <div class="chart-title"></div> <div class="chart-sub-title"></div> </div> <div class="chart-container"> <div id="summarychart"></div> <div class="practice-warning"> For clarity, practice graphs and maps only show standard GP practices, and exclude non-standard settings like prisons, out-of-hours services, etc. </div> <div class="highcharts-attribution"> Built with <a href="http://www.highcharts.com/">Highcharts</a> </div> </div> {% include '_outlier_toggle.html' %} </div> <div role="tabpanel" class="tab-pane fade" id="chart-panel" class="chart-tab"> <div class="chart-container"> <div id="chart"></div> <div class="practice-warning"> For clarity, practice graphs and maps only show standard GP practices, and exclude non-standard settings like prisons, out-of-hours services, etc. </div> <div class="highcharts-attribution">Built with <a href="http://www.highcharts.com/">Highcharts</a></div> </div> {% include '_outlier_toggle.html' %} </div> <div role="tabpanel" class="tab-pane fade" id="map-panel" class="map-tab"> <div class="chart-title-wrapper"> <p class="chart-title"></p> <p class="chart-sub-title"></p> </div> <div class="clearfix"> <div id="map-wrapper"> <div id="map"></div> </div> <div class="practice-warning"> For clarity, practice graphs and maps only show standard GP practices, and exclude non-standard settings like prisons, out-of-hours services, etc. CCG boundaries from <a href="http://www.england.nhs.uk/resources/ccg-maps/">NHS England</a>. Practice locations are approximate, based on postcode. Only practices with a known location are shown here. PCN boundaries are illustrative only. </div> </div> {% include '_outlier_toggle.html' %} </div> <div role="tabpanel" class="tab-pane fade" id="data-panel" class="data-tab"> <p> You are welcome to use data from this site in your academic output with attribution. Please cite "OpenPrescribing.net, EBM DataLab, University of Oxford, 2020" as the source for academic attribution.</p> <p>If you use data or images from this site online or in a report, please link back to us. Your readers will then be able to see live updates to the data you are interested in, and explore other queries for themselves.</p> <p><a id="data-link" download="data.csv" class="btn btn-info" href="#">Download as CSV <span id="data-rows-count"></span></a> </p> </div> </div> <div id="js-summary-totals" class="panel panel-default" style="margin-top: 18px"> <div class="panel-heading"> Total prescribing for <em class="js-friendly-numerator"></em> across <span class="js-orgs-description"></span> </div> <table class="table"> <tr> <th></th> <th class="text-right js-selected-month"></th> <th class="text-right">Financial YTD (<span class="js-financial-year-range"></span>)</th> <th class="text-right">Last 12 months (<span class="js-year-range"></span>)</th> </tr> <tr> <th>Cost (£)</th> <td class="text-right js-cost-month-total"></td> <td class="text-right js-cost-financial-year-total"></td> <td class="text-right js-cost-year-total"></td> </tr> <tr> <th>Items</th> <td class="text-right js-items-month-total"></td> <td class="text-right js-items-financial-year-total"></td> <td class="text-right js-items-year-total"></td> </tr> </table> </div> </div> <br/> {% include '_alert_signup_form.html' with alert_type='analyse'%} <p>Read our notes on <a href="{% url 'faq' %}">understanding the data</a>. Found something interesting, or a bug? Get in touch: <a href="mailto:{{ SUPPORT_TO_EMAIL }}" class="feedback-show">{{ SUPPORT_TO_EMAIL}}</a></p> {% endblock %} {% block extra_js %} <!--[if !IE 8]><!--> <script src="{% static 'js/clipboard.min.js' %}"></script> <!--<![endif]--> {% conditional_js 'analyse-form' %} {% endblock %}
ebmdatalab/openprescribing
openprescribing/templates/analyse.html
HTML
mit
11,993
<!doctype html> <html class="theme-next pisces use-motion"> <head> <meta charset="UTF-8"/> <meta http-equiv="X-UA-Compatible" content="IE=edge,chrome=1" /> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=1"/> <meta http-equiv="Cache-Control" content="no-transform" /> <meta http-equiv="Cache-Control" content="no-siteapp" /> <meta name="google-site-verification" content="hURnC-1VtFyi-v7OYQhy-5eOj-XZW3BAIs6iqzQcQj8" /> <link href="/vendors/fancybox/source/jquery.fancybox.css?v=2.1.5" rel="stylesheet" type="text/css"/> <link href='//fonts.googleapis.com/css?family=Lato:300,400,700,400italic&subset=latin,latin-ext' rel='stylesheet' type='text/css'> <link href="/vendors/font-awesome/css/font-awesome.min.css?v=4.5.0" rel="stylesheet" type="text/css" /> <link href="/css/main.css?v=5.0.0" rel="stylesheet" type="text/css" /> <meta name="keywords" content="日记,情感," /> <link rel="alternate" href="/atom.xml" title="HankCoder's Space" type="application/atom+xml" /> <link rel="shortcut icon" type="image/x-icon" href="/favicon.ico?v=5.0.0" /> <meta name="description" content="今天手贱,把笔记本的键盘弄坏了,导致电脑不能用,只好花时间把我写博客的环境搬到MAC上来了,不过还好,以前折腾的够多,这次只花了几分钟就把环境搭建好了。开始写东西了,哈哈。 今天阅读了三毛的三篇散文集: 月河 极乐鸟 雨季不再来 在很久以前,我的世界里只有那xx实战,xx源码剖析等这些书籍,但这些书籍总让人感觉很枯燥,久而久之感觉自己的思维想象空间变的很狭窄,总觉得自己的另一半大脑一直处于空闲"> <meta property="og:type" content="article"> <meta property="og:title" content="随手记20170118"> <meta property="og:url" content="http://HankCoder.github.io/2017/01/17/随手记20170118/index.html"> <meta property="og:site_name" content="HankCoder's Space"> <meta property="og:description" content="今天手贱,把笔记本的键盘弄坏了,导致电脑不能用,只好花时间把我写博客的环境搬到MAC上来了,不过还好,以前折腾的够多,这次只花了几分钟就把环境搭建好了。开始写东西了,哈哈。 今天阅读了三毛的三篇散文集: 月河 极乐鸟 雨季不再来 在很久以前,我的世界里只有那xx实战,xx源码剖析等这些书籍,但这些书籍总让人感觉很枯燥,久而久之感觉自己的思维想象空间变的很狭窄,总觉得自己的另一半大脑一直处于空闲"> <meta property="og:updated_time" content="2017-01-17T16:32:23.000Z"> <meta name="twitter:card" content="summary"> <meta name="twitter:title" content="随手记20170118"> <meta name="twitter:description" content="今天手贱,把笔记本的键盘弄坏了,导致电脑不能用,只好花时间把我写博客的环境搬到MAC上来了,不过还好,以前折腾的够多,这次只花了几分钟就把环境搭建好了。开始写东西了,哈哈。 今天阅读了三毛的三篇散文集: 月河 极乐鸟 雨季不再来 在很久以前,我的世界里只有那xx实战,xx源码剖析等这些书籍,但这些书籍总让人感觉很枯燥,久而久之感觉自己的思维想象空间变的很狭窄,总觉得自己的另一半大脑一直处于空闲"> <script type="text/javascript" id="hexo.configuration"> var NexT = window.NexT || {}; var CONFIG = { scheme: 'Pisces', sidebar: '[object Object]', fancybox: true, motion: true }; </script> <title> 随手记20170118 | HankCoder's Space </title> </head> <body itemscope itemtype="http://schema.org/WebPage" lang="zh-Hans"> <script> (function(i,s,o,g,r,a,m){i['GoogleAnalyticsObject']=r;i[r]=i[r]||function(){ (i[r].q=i[r].q||[]).push(arguments)},i[r].l=1*new Date();a=s.createElement(o), m=s.getElementsByTagName(o)[0];a.async=1;a.src=g;m.parentNode.insertBefore(a,m) })(window,document,'script','//www.google-analytics.com/analytics.js','ga'); ga('create', 'UA-67800719-1', 'auto'); ga('send', 'pageview'); </script> <script type="text/javascript"> var _hmt = _hmt || []; (function() { var hm = document.createElement("script"); hm.src = "//hm.baidu.com/hm.js?7a046e8db6a48f2ab46b7812ba612789"; var s = document.getElementsByTagName("script")[0]; s.parentNode.insertBefore(hm, s); })(); </script> <div class="container one-collumn sidebar-position-left page-post-detail "> <div class="headband"></div> <header id="header" class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"><div class="site-meta "> <div class="custom-logo-site-title"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <span class="site-title">HankCoder's Space</span> <span class="logo-line-after"><i></i></span> </a> </div> <p class="site-subtitle">Reading The Fucking Code</p> </div> <div class="site-nav-toggle"> <button> <span class="btn-bar"></span> <span class="btn-bar"></span> <span class="btn-bar"></span> </button> </div> <nav class="site-nav"> <ul id="menu" class="menu menu-left"> <li class="menu-item menu-item-home"> <a href="/" rel="section"> <i class="menu-item-icon fa fa-home fa-fw"></i> <br /> 首页 </a> </li> <li class="menu-item menu-item-categories"> <a href="/categories" rel="section"> <i class="menu-item-icon fa fa-th fa-fw"></i> <br /> 分类 </a> </li> <li class="menu-item menu-item-about"> <a href="/about" rel="section"> <i class="menu-item-icon fa fa-user fa-fw"></i> <br /> 关于 </a> </li> <li class="menu-item menu-item-archives"> <a href="/archives" rel="section"> <i class="menu-item-icon fa fa-archive fa-fw"></i> <br /> 归档 </a> </li> <li class="menu-item menu-item-tags"> <a href="/tags" rel="section"> <i class="menu-item-icon fa fa-tags fa-fw"></i> <br /> 标签 </a> </li> <li class="menu-item menu-item-search"> <a href="#" class="st-search-show-outputs"> <i class="menu-item-icon fa fa-search fa-fw"></i> <br /> 搜索 </a> </li> </ul> <div class="site-search"> <form class="site-search-form"> <input type="text" id="st-search-input" class="st-search-input st-default-search-input" /> </form> <script type="text/javascript"> (function(w,d,t,u,n,s,e){w['SwiftypeObject']=n;w[n]=w[n]||function(){ (w[n].q=w[n].q||[]).push(arguments);};s=d.createElement(t); e=d.getElementsByTagName(t)[0];s.async=1;s.src=u;e.parentNode.insertBefore(s,e); })(window,document,'script','//s.swiftypecdn.com/install/v2/st.js','_st'); _st('install', 'Eq6Hisgzq2b_MSGwmySM','2.0.0'); </script> </div> </nav> </div> </header> <main id="main" class="main"> <div class="main-inner"> <div class="content-wrap"> <div id="content" class="content"> <div id="posts" class="posts-expand"> <article class="post post-type-normal " itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <h1 class="post-title" itemprop="name headline"> 随手记20170118 </h1> <div class="post-meta"> <span class="post-time"> <span class="post-meta-item-icon"> <i class="fa fa-calendar-o"></i> </span> <span class="post-meta-item-text">发表于</span> <time itemprop="dateCreated" datetime="2017-01-17T23:58:11+08:00" content="2017-01-17"> 2017-01-17 </time> </span> <span class="post-category" > &nbsp; | &nbsp; <span class="post-meta-item-icon"> <i class="fa fa-folder-o"></i> </span> <span class="post-meta-item-text">分类于</span> <span itemprop="about" itemscope itemtype="https://schema.org/Thing"> <a href="/categories/我和她的故事/" itemprop="url" rel="index"> <span itemprop="name">我和她的故事</span> </a> </span> </span> <span class="post-comments-count"> &nbsp; | &nbsp; <a href="/2017/01/17/随手记20170118/#comments" itemprop="discussionUrl"> <span class="post-comments-count ds-thread-count" data-thread-key="2017/01/17/随手记20170118/" itemprop="commentsCount"></span> </a> </span> <span id="/2017/01/17/随手记20170118/"class="leancloud_visitors" data-flag-title="随手记20170118"> &nbsp; | &nbsp; <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="post-meta-item-text">阅读次数</span> <span class="leancloud-visitors-count"></span> </span> </div> </header> <div class="post-body" itemprop="articleBody"> <p>今天手贱,把笔记本的键盘弄坏了,导致电脑不能用,只好花时间把我<br>写博客的环境搬到MAC上来了,不过还好,以前折腾的够多,这次只花<br>了几分钟就把环境搭建好了。开始写东西了,哈哈。</p> <p>今天阅读了三毛的三篇散文集:</p> <ul> <li><strong>月河</strong></li> <li><strong>极乐鸟</strong></li> <li><strong>雨季不再来</strong></li> </ul> <p>在很久以前,我的世界里只有那xx实战,xx源码剖析等这些书籍,<br>但这些书籍总让人感觉很枯燥,久而久之感觉自己的思维想象空间变的很<br>狭窄,总觉得自己的另一半大脑一直处于空闲状态,没有装任何东西,直到<br>现在我开始阅读一些文学书籍后,我能用心去体会故事主人公的情感经历,<br>去想像他当时经历的环境,来丰富自己的想象空间,为自己的大脑填充一些<br>不一样的东西。以后我会多挑一些好的文学作品好好阅读,感觉自己以前就<br>欠缺一点什么东西,现在终于找到了。真的是很感谢你。</p> </div> <footer class="post-footer"> <div class="post-tags"> <a href="/tags/日记/" rel="tag">#日记</a> <a href="/tags/情感/" rel="tag">#情感</a> </div> <div class="post-nav"> <div class="post-nav-next post-nav-item"> <a href="/2017/01/16/随手记20170117/" rel="next" title="随手记20170117"> <i class="fa fa-chevron-left"></i> 随手记20170117 </a> </div> <div class="post-nav-prev post-nav-item"> <a href="/2017/01/18/随手记20170119/" rel="prev" title="随手记20170119"> 随手记20170119 <i class="fa fa-chevron-right"></i> </a> </div> </div> </footer> </article> <div class="post-spread"> <!-- JiaThis Button BEGIN --> <div class="jiathis_style"> <a class="jiathis_button_tsina"></a> <a class="jiathis_button_tqq"></a> <a class="jiathis_button_weixin"></a> <a class="jiathis_button_cqq"></a> <a class="jiathis_button_douban"></a> <a class="jiathis_button_renren"></a> <a class="jiathis_button_qzone"></a> <a class="jiathis_button_kaixin001"></a> <a class="jiathis_button_copy"></a> <a href="http://www.jiathis.com/share" class="jiathis jiathis_txt jiathis_separator jtico jtico_jiathis" target="_blank"></a> <a class="jiathis_counter_style"></a> </div> <script type="text/javascript" > var jiathis_config={ hideMore:false } </script> <script type="text/javascript" src="http://v3.jiathis.com/code/jia.js" charset="utf-8"></script> <!-- JiaThis Button END --> </div> </div> </div> <p>热评文章</p> <div class="ds-top-threads" data-range="weekly" data-num-items="4"></div> <div class="comments" id="comments"> <div class="ds-thread" data-thread-key="2017/01/17/随手记20170118/" data-title="随手记20170118" data-url="http://HankCoder.github.io/2017/01/17/随手记20170118/"> </div> </div> </div> <div class="sidebar-toggle"> <div class="sidebar-toggle-line-wrap"> <span class="sidebar-toggle-line sidebar-toggle-line-first"></span> <span class="sidebar-toggle-line sidebar-toggle-line-middle"></span> <span class="sidebar-toggle-line sidebar-toggle-line-last"></span> </div> </div> <aside id="sidebar" class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc sidebar-nav-active" data-target="post-toc-wrap" > 文章目录 </li> <li class="sidebar-nav-overview" data-target="site-overview"> 站点概览 </li> </ul> <section class="site-overview sidebar-panel "> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" src="/images/default_avatar.jpg" alt="HankCoder" /> <p class="site-author-name" itemprop="name">HankCoder</p> <p class="site-description motion-element" itemprop="description">Android | Linux | RD | OpenSource ...</p> </div> <nav class="site-state motion-element"> <div class="site-state-item site-state-posts"> <a href="/archives"> <span class="site-state-item-count">16</span> <span class="site-state-item-name">日志</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories"> <span class="site-state-item-count">6</span> <span class="site-state-item-name">分类</span> </a> </div> <div class="site-state-item site-state-tags"> <a href="/tags"> <span class="site-state-item-count">12</span> <span class="site-state-item-name">标签</span> </a> </div> </nav> <div class="feed-link motion-element"> <a href="/atom.xml" rel="alternate"> <i class="fa fa-rss"></i> RSS </a> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/HankCoder" target="_blank"> <i class="fa fa-github"></i> GitHub </a> </span> <span class="links-of-author-item"> <a href="" target="_blank"> <i class="fa fa-twitter"></i> Twitter </a> </span> <span class="links-of-author-item"> <a href="" target="_blank"> <i class="fa fa-weibo"></i> Weibo </a> </span> <span class="links-of-author-item"> <a href="" target="_blank"> <i class="fa fa-facebook-square"></i> Facebook </a> </span> <span class="links-of-author-item"> <a href="" target="_blank"> <i class="fa fa-heartbeat"></i> JianShu </a> </span> </div> <div class="cc-license motion-element" itemprop="license"> <a href="http://creativecommons.org/licenses/by-nc-sa/4.0" class="cc-opacity" target="_blank"> <img src="/images/cc-by-nc-sa.svg" alt="Creative Commons" /> </a> </div> <div class="links-of-author motion-element"> </div> </section> <section class="post-toc-wrap motion-element sidebar-panel sidebar-panel-active"> <div class="post-toc-indicator-top post-toc-indicator"> <i class="fa fa-angle-double-up"></i> </div> <div class="post-toc"> <p class="post-toc-empty">此文章未包含目录</p> </div> <div class="post-toc-indicator-bottom post-toc-indicator"> <i class="fa fa-angle-double-down"></i> </div> </section> </div> </aside> </div> </main> <footer id="footer" class="footer"> <div class="footer-inner"> <div class="copyright" > &copy; 2015 - <span itemprop="copyrightYear">2017</span> <span class="with-love"> <i class="icon-next-heart fa fa-leaf"></i> </span> <span class="author" itemprop="copyrightHolder">HankCoder</span> </div> <script async src="https://dn-lbstatics.qbox.me/busuanzi/2.3/busuanzi.pure.mini.js"> </script> </div> </footer> <div class="back-to-top"></div> </div> <script type="text/javascript" src="/vendors/jquery/index.js?v=2.1.3"></script> <script type="text/javascript" src="/vendors/fastclick/lib/fastclick.min.js?v=1.0.6"></script> <script type="text/javascript" src="/vendors/jquery_lazyload/jquery.lazyload.js?v=1.9.7"></script> <script type="text/javascript" src="/vendors/velocity/velocity.min.js"></script> <script type="text/javascript" src="/vendors/velocity/velocity.ui.min.js"></script> <script type="text/javascript" src="/vendors/fancybox/source/jquery.fancybox.pack.js"></script> <script type="text/javascript" src="/js/src/utils.js?v=5.0.0"></script> <script type="text/javascript" src="/js/src/motion.js?v=5.0.0"></script> <script type="text/javascript" src="/js/src/affix.js?v=5.0.0"></script> <script type="text/javascript" src="/js/src/schemes/pisces.js?v=5.0.0"></script> <script type="text/javascript" src="/js/src/scrollspy.js?v=5.0.0"></script> <script type="text/javascript" id="sidebar.toc.highlight"> $(document).ready(function () { var tocSelector = '.post-toc'; var $tocSelector = $(tocSelector); var activeCurrentSelector = '.active-current'; $tocSelector .on('activate.bs.scrollspy', function () { var $currentActiveElement = $(tocSelector + ' .active').last(); removeCurrentActiveClass(); $currentActiveElement.addClass('active-current'); $tocSelector[0].scrollTop = $currentActiveElement.position().top; }) .on('clear.bs.scrollspy', function () { removeCurrentActiveClass(); }); function removeCurrentActiveClass () { $(tocSelector + ' ' + activeCurrentSelector) .removeClass(activeCurrentSelector.substring(1)); } function processTOC () { getTOCMaxHeight(); toggleTOCOverflowIndicators(); } function getTOCMaxHeight () { var height = $('.sidebar').height() - $tocSelector.position().top - $('.post-toc-indicator-bottom').height(); $tocSelector.css('height', height); return height; } function toggleTOCOverflowIndicators () { tocOverflowIndicator( '.post-toc-indicator-top', $tocSelector.scrollTop() > 0 ? 'show' : 'hide' ); tocOverflowIndicator( '.post-toc-indicator-bottom', $tocSelector.scrollTop() >= $tocSelector.find('ol').height() - $tocSelector.height() ? 'hide' : 'show' ) } $(document).on('sidebar.motion.complete', function () { processTOC(); }); $('body').scrollspy({ target: tocSelector }); $(window).on('resize', function () { if ( $('.sidebar').hasClass('sidebar-active') ) { processTOC(); } }); onScroll($tocSelector); function onScroll (element) { element.on('mousewheel DOMMouseScroll', function (event) { var oe = event.originalEvent; var delta = oe.wheelDelta || -oe.detail; this.scrollTop += ( delta < 0 ? 1 : -1 ) * 30; event.preventDefault(); toggleTOCOverflowIndicators(); }); } function tocOverflowIndicator (indicator, action) { var $indicator = $(indicator); var opacity = action === 'show' ? 1 : 0; $indicator.velocity ? $indicator.velocity('stop').velocity({ opacity: opacity }, { duration: 100 }) : $indicator.stop().animate({ opacity: opacity }, 100); } }); </script> <script type="text/javascript" id="sidebar.nav"> $(document).ready(function () { var html = $('html'); var TAB_ANIMATE_DURATION = 200; var hasVelocity = $.isFunction(html.velocity); $('.sidebar-nav li').on('click', function () { var item = $(this); var activeTabClassName = 'sidebar-nav-active'; var activePanelClassName = 'sidebar-panel-active'; if (item.hasClass(activeTabClassName)) { return; } var currentTarget = $('.' + activePanelClassName); var target = $('.' + item.data('target')); hasVelocity ? currentTarget.velocity('transition.slideUpOut', TAB_ANIMATE_DURATION, function () { target .velocity('stop') .velocity('transition.slideDownIn', TAB_ANIMATE_DURATION) .addClass(activePanelClassName); }) : currentTarget.animate({ opacity: 0 }, TAB_ANIMATE_DURATION, function () { currentTarget.hide(); target .stop() .css({'opacity': 0, 'display': 'block'}) .animate({ opacity: 1 }, TAB_ANIMATE_DURATION, function () { currentTarget.removeClass(activePanelClassName); target.addClass(activePanelClassName); }); }); item.siblings().removeClass(activeTabClassName); item.addClass(activeTabClassName); }); $('.post-toc a').on('click', function (e) { e.preventDefault(); var targetSelector = escapeSelector(this.getAttribute('href')); var offset = $(targetSelector).offset().top; hasVelocity ? html.velocity('stop').velocity('scroll', { offset: offset + 'px', mobileHA: false }) : $('html, body').stop().animate({ scrollTop: offset }, 500); }); // Expand sidebar on post detail page by default, when post has a toc. motionMiddleWares.sidebar = function () { var $tocContent = $('.post-toc-content'); if (CONFIG.sidebar === 'post') { if ($tocContent.length > 0 && $tocContent.html().trim().length > 0) { displaySidebar(); } } }; }); </script> <script type="text/javascript" src="/js/src/bootstrap.js?v=5.0.0"></script> <script type="text/javascript"> var duoshuoQuery = {short_name:"hankcoder"}; (function() { var ds = document.createElement('script'); ds.type = 'text/javascript';ds.async = true; ds.id = 'duoshuo-script'; ds.src = (document.location.protocol == 'https:' ? 'https:' : 'http:') + '//static.duoshuo.com/embed.js'; ds.charset = 'UTF-8'; (document.getElementsByTagName('head')[0] || document.getElementsByTagName('body')[0]).appendChild(ds); })(); </script> <script type="text/javascript"> var duoshuo_user_ID = 13537963; var duoshuo_admin_nickname = "博主"; </script> <script src="/vendors/ua-parser-js/dist/ua-parser.min.js"></script> <script src="/js/src/hook-duoshuo.js"></script> <script src="https://cdn1.lncld.net/static/js/av-core-mini-0.6.1.js"></script> <script>AV.initialize("KIpFhjbOqk9B6NsU6sEACyJt", "HOFTbHJmJyGsoGKssFSPrPAy");</script> <script> function showTime(Counter) { var query = new AV.Query(Counter); var entries = []; var $visitors = $(".leancloud_visitors"); $visitors.each(function () { entries.push( $(this).attr("id").trim() ); }); query.containedIn('url', entries); query.find() .done(function (results) { var COUNT_CONTAINER_REF = '.leancloud-visitors-count'; if (results.length === 0) { $visitors.find(COUNT_CONTAINER_REF).text(0); return; } for (var i = 0; i < results.length; i++) { var item = results[i]; var url = item.get('url'); var time = item.get('time'); var element = document.getElementById(url); $(element).find(COUNT_CONTAINER_REF).text(time); } }) .fail(function (object, error) { console.log("Error: " + error.code + " " + error.message); }); } function addCount(Counter) { var $visitors = $(".leancloud_visitors"); var url = $visitors.attr('id').trim(); var title = $visitors.attr('data-flag-title').trim(); var query = new AV.Query(Counter); query.equalTo("url", url); query.find({ success: function(results) { if (results.length > 0) { var counter = results[0]; counter.fetchWhenSave(true); counter.increment("time"); counter.save(null, { success: function(counter) { var $element = $(document.getElementById(url)); $element.find('.leancloud-visitors-count').text(counter.get('time')); }, error: function(counter, error) { console.log('Failed to save Visitor num, with error message: ' + error.message); } }); } else { var newcounter = new Counter(); newcounter.set("title", title); newcounter.set("url", url); newcounter.set("time", 1); newcounter.save(null, { success: function(newcounter) { var $element = $(document.getElementById(url)); $element.find('.leancloud-visitors-count').text(newcounter.get('time')); }, error: function(newcounter, error) { console.log('Failed to create'); } }); } }, error: function(error) { console.log('Error:' + error.code + " " + error.message); } }); } $(function() { var Counter = AV.Object.extend("Counter"); if ($('.leancloud_visitors').length == 1) { addCount(Counter); } else if ($('.post-title-link').length > 1) { showTime(Counter); } }); </script> <script type="text/javascript" src="http://apps.bdimg.com/libs/jquery-lazyload/1.9.5/jquery.lazyload.js"></script> <script type="text/javascript"> $(function () { $("#posts").find('img').lazyload({ placeholder: "/images/loading.gif", effect: "fadeIn" }); }); </script> </body> </html>
HankCoder/BlogBackup
public/2017/01/17/随手记20170118/index.html
HTML
mit
28,614
using System; using Newtonsoft.Json; namespace MultiSafepay.Model { public class Transaction { [JsonProperty("transaction_id")] public string TransactionId { get; set; } [JsonProperty("payment_type")] public string PaymentType { get; set; } [JsonProperty("order_id")] public string OrderId { get; set; } [JsonProperty("status")] public string TransactionStatus { get; set; } [JsonProperty("description")] public string Description { get; set; } [JsonProperty("created")] public DateTime? CreatedDate { get; set; } [JsonProperty("order_status")] public string OrderStatus { get; set; } [JsonProperty("amount")] public int Amount { get; set; } [JsonProperty("currency")] public string CurrencyCode { get; set; } [JsonProperty("customer")] public Customer Customer { get; set; } [JsonProperty("payment_details")] public PaymentDetails PaymentDetails { get; set; } } }
MultiSafepay/.Net
Src/MultiSafepay/Model/Transaction.cs
C#
mit
1,056
require 'spec_helper' describe MWS::Report do describe ".method_missing" do describe ".get_report_list" do let(:valid_args){ { key: "ThisIsSigningKey", endpoint: "mws.amazonservices.com", params: { "AWSAccessKeyId" => "AccessKeyIdString", "SellerId" => "SellerIdString", "ReportTypeList" => ["_GET_FLAT_FILE_ORDERS_DATA_"], "Acknowledged" => false, "MaxCount" => 100 } } } before do response = double("request") expect(response).to receive(:body).and_return("BodyString") request = double("request") expect(request).to receive(:execute).and_return(response) expect(MWS::Request).to receive(:new).and_return(request) end subject { described_class.get_report_list(valid_args) } it { is_expected.to be_a String } end end end
s-osa/marketplace_web_service
spec/mws/report_spec.rb
Ruby
mit
929
require 'resolv' module Geocoder class IpAddress < String def loopback? valid? and !!(self == "0.0.0.0" or self.match(/\A127\./) or self == "::1") end def valid? !!((self =~ Resolv::IPv4::Regex) || (self =~ Resolv::IPv6::Regex)) end end end
tiramizoo/geocoder
lib/geocoder/ip_address.rb
Ruby
mit
275
const chai = require('chai'); const expect = chai.expect; const ComplexArray = require('../complex-array/complex-array'); function assertArrayEquals(first, second) { const message = `${first} != ${second}`; first.forEach((item, i) => { expect(item).to.equal(second[i], message); }); } describe('Complex Array', () => { describe('Consructor', () => { it('should construct from a number', () => { const a = new ComplexArray(10); expect(a).to.exist; expect(a.real.length).to.equal(10); expect(a.imag.length).to.equal(10); expect(a.real[0]).to.equal(0); expect(a.imag[0]).to.equal(0); }); it('should construct from a number with a type', () => { const a = new ComplexArray(10, Int32Array); expect(a.ArrayType).to.equal(Int32Array); expect(a.real.length).to.equal(10); expect(a.imag.length).to.equal(10); expect(a.real[0]).to.equal(0); expect(a.imag[0]).to.equal(0); }); it('should contruct from a real array', () => { const a = new ComplexArray([1, 2]); assertArrayEquals([1, 2], a.real); assertArrayEquals([0, 0], a.imag); }); it('should contruct from a real array with a type', () => { const a = new ComplexArray([1, 2], Int32Array); expect(a.ArrayType).to.equal(Int32Array) assertArrayEquals([1, 2], a.real); assertArrayEquals([0, 0], a.imag); }); it('should contruct from another complex array', () => { const a = new ComplexArray(new ComplexArray([1, 2])); assertArrayEquals([1, 2], a.real); assertArrayEquals([0, 0], a.imag); }); }); describe('`map` method', () => { it('should alter all values', () => { const a = new ComplexArray([1, 2]).map((value, i) => { value.real *= 10; value.imag = i; }); assertArrayEquals([10, 20], a.real); assertArrayEquals([0, 1], a.imag); }); }); describe('`forEach` method', () => { it('should touch every value', () => { const a = new ComplexArray([1, 2]); a.imag[0] = 4; a.imag[1] = 8; let sum = 0; a.forEach((value, i) => { sum += value.real; sum += value.imag; }); expect(sum).to.equal(15); }); }); describe('`conjugate` method', () => { it('should multiply a number', () => { const a = new ComplexArray([1, 2]); a.imag[0] = 1; a.imag[1] = -2; const b = a.conjugate(); assertArrayEquals([1, 2], b.real); assertArrayEquals([-1, 2], b.imag); }); }); describe('`magnitude` method', () => { it('should give the an array of magnitudes', () => { const a = new ComplexArray([1, 3]); a.imag[0] = 0; a.imag[1] = 4; assertArrayEquals([1, 5], a.magnitude()); }); it('should return an iterable ArrayType object', () => { const a = new ComplexArray([1, 2]); let sum = 0; a.magnitude().forEach((value, i) => { sum += value; }); expect(sum).to.equal(3); }); }); });
JoeKarlsson/data-structures
test/complex-array.spec.js
JavaScript
mit
3,055
/* * Copyright (C) 2011 by Jakub Lekstan <kuebzky@gmail.com> * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal * in the Software without restriction, including without limitation the rights * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell * copies of the Software, and to permit persons to whom the Software is * furnished to do so, subject to the following conditions: * * The above copyright notice and this permission notice shall be included in * all copies or substantial portions of the Software. * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN * THE SOFTWARE. */ #include <v8.h> #include <node.h> #include <sys/time.h> #include <sys/resource.h> int globalWho = RUSAGE_SELF; static v8::Handle<v8::Value> get_r_usage(const v8::Arguments& args){ v8::HandleScope scope; int localWho = globalWho; if(args.Length() != 0){ bool isError = false; if(args[0]->IsNumber()){ v8::Local<v8::Integer> iWho = v8::Local<v8::Integer>::Cast(args[0]); localWho = (int)(iWho->Int32Value()); if(localWho != RUSAGE_SELF && localWho != RUSAGE_CHILDREN){ isError = true; } }else{ isError = true; } if(isError){ return v8::ThrowException(v8::Exception::TypeError(v8::String::New("First argument must be either a RUSAGE_SELF or RUSAGE_CHILDREN"))); } } rusage rusagedata; int status = getrusage(localWho, &rusagedata); if(status != 0){ scope.Close(v8::Null()); } v8::Local<v8::Object> data = v8::Object::New(); data->Set(v8::String::New("ru_utime.tv_sec"), v8::Number::New(rusagedata.ru_utime.tv_sec)); data->Set(v8::String::New("ru_utime.tv_usec"), v8::Number::New(rusagedata.ru_utime.tv_usec)); data->Set(v8::String::New("ru_stime.tv_sec"), v8::Number::New(rusagedata.ru_stime.tv_sec)); data->Set(v8::String::New("ru_stime.tv_usec"), v8::Number::New(rusagedata.ru_stime.tv_usec)); data->Set(v8::String::New("ru_maxrss"), v8::Number::New(rusagedata.ru_maxrss)); data->Set(v8::String::New("ru_ixrss"), v8::Number::New(rusagedata.ru_ixrss)); data->Set(v8::String::New("ru_idrss"), v8::Number::New(rusagedata.ru_idrss)); data->Set(v8::String::New("ru_isrss"), v8::Number::New(rusagedata.ru_isrss)); data->Set(v8::String::New("ru_minflt"), v8::Number::New(rusagedata.ru_minflt)); data->Set(v8::String::New("ru_majflt"), v8::Number::New(rusagedata.ru_majflt)); data->Set(v8::String::New("ru_nswap"), v8::Number::New(rusagedata.ru_nswap)); data->Set(v8::String::New("ru_inblock"), v8::Number::New(rusagedata.ru_inblock)); data->Set(v8::String::New("ru_oublock"), v8::Number::New(rusagedata.ru_oublock)); data->Set(v8::String::New("ru_msgsnd"), v8::Number::New(rusagedata.ru_msgsnd)); data->Set(v8::String::New("ru_msgrcv"), v8::Number::New(rusagedata.ru_msgrcv)); data->Set(v8::String::New("ru_nsignals"), v8::Number::New(rusagedata.ru_nsignals)); data->Set(v8::String::New("ru_nvcsw"), v8::Number::New(rusagedata.ru_nvcsw)); data->Set(v8::String::New("ru_nivcsw"), v8::Number::New(rusagedata.ru_nivcsw)); return scope.Close(data); } static v8::Handle<v8::Value> usage_cycles(const v8::Arguments& args){ v8::HandleScope scope; rusage rusagedata; int status = getrusage(globalWho, &rusagedata); if(status != 0){ return scope.Close(v8::Null()); } return scope.Close(v8::Number::New(rusagedata.ru_utime.tv_sec * 1e6 + rusagedata.ru_utime.tv_usec)); } static v8::Handle<v8::Value> who(const v8::Arguments& args){ v8::HandleScope scope; if(args.Length() != 0 && args[0]->IsNumber()){ v8::Local<v8::Integer> iWho = v8::Local<v8::Integer>::Cast(args[0]); int localWho = (int)(iWho->Int32Value()); if(localWho != RUSAGE_SELF && localWho != RUSAGE_CHILDREN){ return v8::ThrowException(v8::Exception::TypeError(v8::String::New("First argument must be either a RUSAGE_SELF or RUSAGE_CHILDREN"))); } globalWho = localWho; return scope.Close(v8::True()); }else{ return scope.Close(v8::False()); } } extern "C" void init (v8::Handle<v8::Object> target){ v8::HandleScope scope; NODE_SET_METHOD(target, "get", get_r_usage); NODE_SET_METHOD(target, "cycles", usage_cycles); NODE_SET_METHOD(target, "who", who); target->Set(v8::String::New("RUSAGE_SELF"), v8::Number::New(RUSAGE_SELF)); target->Set(v8::String::New("RUSAGE_CHILDREN"), v8::Number::New(RUSAGE_CHILDREN)); }
kuebk/node-rusage
src/node-rusage.cc
C++
mit
4,830
/* * To change this license header, choose License Headers in Project Properties. * To change this template file, choose Tools | Templates * and open the template in the editor. */ package config; import interfaces.*; import java.sql.*; import java.util.logging.*; import javax.swing.*; /** * * @author Luis G */ public class Connector { public Connector() { } protected boolean getData(String query, Callback callback) { ResultSet rs = null; Connection conn = null; Statement stmt = null; boolean isNull = false; try { connect(); conn = DriverManager.getConnection("jdbc:mysql://localhost:3306/escuela", "root", ""); stmt = conn.createStatement(); rs = stmt.executeQuery(query); for (int i = 0; rs.next(); i++) { callback.callback(rs, i); } stmt.close(); conn.close(); } catch (SQLException ex) { Logger.getLogger(Connector.class.getName()).log(Level.SEVERE, null, ex); } return isNull; } protected ResultSet getData(String query) { ResultSet rs = null; Connection conn = null; Statement stmt = null; try { connect(); conn = DriverManager.getConnection("jdbc:mysql://localhost:3306/escuela", "root", ""); stmt = conn.createStatement(); rs = stmt.executeQuery(query); } catch (Exception e) { System.out.println(e); } return rs; } protected int executeQuery(String query) { int id = -1; try { connect(); Connection conn = DriverManager.getConnection("jdbc:mysql://localhost:3306/escuela", "root", ""); Statement stmt = conn.createStatement(); id = stmt.executeUpdate(query, Statement.RETURN_GENERATED_KEYS); ResultSet rs = stmt.getGeneratedKeys(); if (rs.next()) { id = rs.getInt(1); } stmt.close(); conn.close(); } catch (SQLException e) { Logger.getLogger(Connector.class.getName()).log(Level.SEVERE, null, e); switch (e.getErrorCode()) { case 1062: JOptionPane.showMessageDialog(null, "Ese correo ya esta registrado", "error", 0); break; case 1054: JOptionPane.showMessageDialog(null, "El registro no existe", "error", 0); break; default: JOptionPane.showMessageDialog(null, "A ocurrido un error " + e, "error", 0); System.out.println(e); break; } } return id; } private void connect() { try { Class.forName("com.mysql.jdbc.Driver"); } catch (Exception e) { } } }
Luis-Gdx/escuela
Topicos Avanzados de Programacion/Tabla/Tabla con base de datos y login/src/config/Connector.java
Java
mit
2,950