repo_name
stringlengths
7
92
path
stringlengths
5
149
copies
stringlengths
1
3
size
stringlengths
4
6
content
stringlengths
911
693k
license
stringclasses
15 values
wkerzendorf/wsynphot
wsynphot/base.py
1
15987
# defining the base filter curve classes import os from scipy import interpolate from wsynphot.spectrum1d import SKSpectrum1D as Spectrum1D import pandas as pd from wsynphot.io.cache_filters import load_filter_index, load_transmission_data from astropy import units as u, constants as const from astropy import uti...
bsd-3-clause
ybayle/ReproducibleResearchIEEE2017
src/svmbff.py
1
22789
# -*- coding: utf-8 -*- #!/usr/bin/python # # Author Yann Bayle # E-mail bayle.yann@live.fr # License MIT # Created 13/10/2016 # Updated 20/01/2017 # Version 1.0.0 # """ Description of svmbff.py ====================== bextract -mfcc -zcrs -ctd -rlf -flx -ws 1024 -as 898 -sv -fe filename.mf -w out.arff ...
mit
MJuddBooth/pandas
pandas/tests/series/test_block_internals.py
2
1472
# -*- coding: utf-8 -*- import pandas as pd # Segregated collection of methods that require the BlockManager internal data # structure class TestSeriesBlockInternals(object): def test_setitem_invalidates_datetime_index_freq(self): # GH#24096 altering a datetime64tz Series inplace invalidates the ...
bsd-3-clause
xunilrj/sandbox
courses/course-edx-dat2031x/Simulation.py
1
2680
# -*- coding: utf-8 -*- def sim_normal(nums, mean = 600, sd = 30): import numpy as np import numpy.random as nr for n in nums: dist = nr.normal(loc = mean, scale = sd, size = n) titl = 'Normal distribution with ' + str(n) + ' values' print('Summary for ' + str(n) + ' samples') ...
apache-2.0
EconForge/Smolyak
doc/sphinxext/docscrape_sphinx.py
62
7703
import re, inspect, textwrap, pydoc import sphinx from docscrape import NumpyDocString, FunctionDoc, ClassDoc class SphinxDocString(NumpyDocString): def __init__(self, docstring, config={}): self.use_plots = config.get('use_plots', False) NumpyDocString.__init__(self, docstring, config=config) ...
mit
joergkappes/opengm
src/interfaces/python/examples/python_visitor_gui.py
14
1377
""" Usage: python_visitor_gui.py This script shows how one can implement visitors in pure python and inject them into OpenGM solver. ( not all OpenGM solvers support this kind of code injection ) """ import opengm import numpy import matplotlib from matplotlib import pyplot as plt shape=[100,100] numLabels=...
mit
UCBerkeleySETI/blimpy
blimpy/plotting/plot_time_series.py
1
1628
from .config import * from ..utils import rebin, db from .plot_utils import calc_extent def plot_time_series(wf, f_start=None, f_stop=None, if_id=0, logged=True, orientation='h', MJD_time=False, **kwargs): """ Plot the time series. Args: f_start (float): start frequency, in MHz f_stop (float)...
bsd-3-clause
MadsJensen/agency_connectivity
make_df_hilbert_data.py
1
1383
import numpy as np import pandas as pd import scipy.io as sio from my_settings import * data = sio.loadmat("/home/mje/Projects/agency_connectivity/Data/data_all.mat")[ "data_all"] column_keys = ["subject", "trial", "condition", "shift"] result_df = pd.DataFrame(columns=column_keys) for k, subject in enumerate(s...
bsd-3-clause
pyIMS/pyimzML
pyimzml/ImzMLParser.py
2
24463
# -*- coding: utf-8 -*- # Copyright 2015 Dominik Fay # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or a...
apache-2.0
InnovArul/codesmart
Assignments/Jul-Nov-2017/reinforcement_learning_udemy/rl/monte_carlo_soft_epsilon.py
1
3861
from __future__ import print_function import numpy as np from grid import standard_grid, negative_grid from iterative_policy_evaluation import print_values, print_policy import matplotlib.pyplot as plt from monte_carlo_exploring_starts import max_dict EPS = 1e-4 GAMMA = 0.9 ALL_POSSIBLE_ACTIONS = {'U', 'D', 'L', 'R'} ...
gpl-2.0
hainm/MSMs
code/sandbox/tica_kde_svm.py
3
2319
from sklearn.covariance import EllipticEnvelope import sklearn.neighbors from sklearn.svm import OneClassSVM import os from msmbuilder import example_datasets, cluster, msm, featurizer, lumping, utils, dataset, decomposition sysname = os.path.split(os.getcwd())[-1] dt = 0.25 tica_lagtime = 400 regularization_string = ...
gpl-2.0
khrapovs/datastorage
datastorage/compustat.py
1
2589
#!/usr/bin/env python # -*- coding: utf-8 -*- """ Short interest dynamics """ from __future__ import print_function, division import os import zipfile import datetime as dt import pandas as pd import matplotlib.pyplot as plt import seaborn as sns path = os.getenv("HOME") + '/Dropbox/Research/data/Compustat/data/' #...
mit
Achuth17/scikit-learn
sklearn/neighbors/tests/test_dist_metrics.py
230
5234
import itertools import pickle import numpy as np from numpy.testing import assert_array_almost_equal import scipy from scipy.spatial.distance import cdist from sklearn.neighbors.dist_metrics import DistanceMetric from nose import SkipTest def dist_func(x1, x2, p): return np.sum((x1 - x2) ** p) ** (1. / p) de...
bsd-3-clause
SanPen/GridCal
src/GridCal/Engine/Simulations/LinearFactors/linear_analysis_ts_driver.py
1
10126
# This file is part of GridCal. # # GridCal is free software: you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # GridCal is distributed in the hope that...
gpl-3.0
AllenDowney/HeriReligion
archive/thinkplot.py
3
22756
"""This file contains code for use with "Think Stats", by Allen B. Downey, available from greenteapress.com Copyright 2014 Allen B. Downey License: GNU GPLv3 http://www.gnu.org/licenses/gpl.html """ from __future__ import print_function import math import matplotlib import matplotlib.pyplot as plt import numpy as np...
mit
etkirsch/scikit-learn
sklearn/utils/estimator_checks.py
21
51976
from __future__ import print_function import types import warnings import sys import traceback import inspect import pickle from copy import deepcopy import numpy as np from scipy import sparse import struct from sklearn.externals.six.moves import zip from sklearn.externals.joblib import hash, Memory from sklearn.ut...
bsd-3-clause
PyQuake/earthquakemodels
code/runExperiments/histogramMagnitude.py
1
1982
import matplotlib.pyplot as plt import models.model as model import earthquake.catalog as catalog from collections import OrderedDict def histogramMagnitude(catalog_, region): """ Creates the histogram of magnitudes by a given region. Saves the histogram to the follwing path ./code/Zona2/histograms/'+regio...
bsd-3-clause
rahul-c1/scikit-learn
examples/hetero_feature_union.py
288
6236
""" ============================================= Feature Union with Heterogeneous Data Sources ============================================= Datasets can often contain components of that require different feature extraction and processing pipelines. This scenario might occur when: 1. Your dataset consists of hetero...
bsd-3-clause
edx/ease
ease/model_creator.py
1
7903
#Provides interface functions to create and save models import numpy import re import nltk import sys from sklearn.feature_extraction.text import CountVectorizer import pickle import os import sklearn.ensemble from itertools import chain base_path = os.path.dirname(__file__) sys.path.append(base_path) from .essay_s...
agpl-3.0
nicproulx/mne-python
mne/time_frequency/tests/test_psd.py
2
7360
import numpy as np import os.path as op from numpy.testing import assert_array_almost_equal, assert_raises from nose.tools import assert_true from mne import pick_types, Epochs, read_events from mne.io import RawArray, read_raw_fif from mne.utils import requires_version, slow_test, run_tests_if_main from mne.time_freq...
bsd-3-clause
aminert/scikit-learn
sklearn/feature_extraction/tests/test_image.py
205
10378
# Authors: Emmanuelle Gouillart <emmanuelle.gouillart@normalesup.org> # Gael Varoquaux <gael.varoquaux@normalesup.org> # License: BSD 3 clause import numpy as np import scipy as sp from scipy import ndimage from nose.tools import assert_equal, assert_true from numpy.testing import assert_raises from sklearn...
bsd-3-clause
jadecastro/LTLMoP
src/lib/handlers/motionControl/RRTController.py
1
37133
#!/usr/bin/env python """ =================================================================== RRTController.py - Rapidly-Exploring Random Trees Motion Controller =================================================================== Uses Rapidly-exploring Random Tree Algorithm to generate paths given the starting p...
gpl-3.0
mhue/scikit-learn
benchmarks/bench_mnist.py
154
6006
""" ======================= MNIST dataset benchmark ======================= Benchmark on the MNIST dataset. The dataset comprises 70,000 samples and 784 features. Here, we consider the task of predicting 10 classes - digits from 0 to 9 from their raw images. By contrast to the covertype dataset, the feature space is...
bsd-3-clause
rbharvs/mnd-learning
supervised.py
1
8636
import sys import parsetags import numpy as np from sklearn.feature_extraction.text import CountVectorizer from sklearn.feature_extraction.text import TfidfTransformer from sklearn.naive_bayes import MultinomialNB from sklearn import svm from sklearn.decomposition import PCA as PCA from mpl_toolkits.mplot3d import Axes...
mit
huobaowangxi/scikit-learn
sklearn/decomposition/dict_learning.py
83
44062
""" Dictionary learning """ from __future__ import print_function # Author: Vlad Niculae, Gael Varoquaux, Alexandre Gramfort # License: BSD 3 clause import time import sys import itertools from math import sqrt, ceil import numpy as np from scipy import linalg from numpy.lib.stride_tricks import as_strided from ..b...
bsd-3-clause
automl/paramsklearn
tests/test_classification.py
1
31256
import os import resource import sys import traceback import unittest import mock import numpy as np import sklearn.datasets import sklearn.decomposition import sklearn.cross_validation import sklearn.ensemble import sklearn.svm from sklearn.utils.testing import assert_array_almost_equal from HPOlibConfigSpace.config...
bsd-3-clause
dariox2/CADL
test/testyida6b.py
1
4901
# # test shuffle_batch - 6b # # generates a pair of files (color+bn) # pending: make the tuple match # print("Loading tensorflow...") import numpy as np import matplotlib.pyplot as plt import tensorflow as tf import os from libs import utils import datetime tf.set_random_seed(1) def create_input_pipeline_yida(f...
apache-2.0
alphacsc/alphacsc
examples/csc/plot_lfp_data.py
1
3791
""" ============================== CSC to learn LFP spiking atoms ============================== Here, we show how CSC can be used to learn spiking atoms from Local Field Potential (LFP) data [1]. [1] Hitziger, Sebastian, et al. Adaptive Waveform Learning: A Framework for Modeling Variability in Neurophysiolo...
bsd-3-clause
rbn920/feebb
feebb/test.py
1
1640
from feebb import * import matplotlib.pyplot as plt pre = Preprocessor() pre.load_json('ex_json/test2.json') elems = [Element(elem) for elem in pre.elements] print(pre.supports) beam = Beam(elems, pre.supports) post = Postprocessor(beam, 10) print(max(post.interp('moment'))) print(min(post.interp('moment'))) plt.plot(...
mit
sradanov/flyingpigeon
setup.py
1
1385
import os from setuptools import setup, find_packages here = os.path.abspath(os.path.dirname(__file__)) README = open(os.path.join(here, 'README.rst')).read() CHANGES = open(os.path.join(here, 'CHANGES.rst')).read() requires = [ 'cdo', 'bokeh', 'ocgis', 'pandas', 'nose', ] classifiers=[ ...
apache-2.0
Garrett-R/scikit-learn
examples/decomposition/plot_image_denoising.py
84
5820
""" ========================================= Image denoising using dictionary learning ========================================= An example comparing the effect of reconstructing noisy fragments of the Lena image using firstly online :ref:`DictionaryLearning` and various transform methods. The dictionary is fitted o...
bsd-3-clause
yunque/sms-tools
lectures/03-Fourier-properties/plots-code/symmetry-real-even.py
26
1150
import matplotlib.pyplot as plt import numpy as np import sys import math from scipy.signal import triang from scipy.fftpack import fft, fftshift M = 127 N = 128 hM1 = int(math.floor((M+1)/2)) hM2 = int(math.floor(M/2)) x = triang(M) fftbuffer = np.zeros(N) fftbuffer[:hM1] = x[hM2:] fftbuffer[N-hM2:] = x[:hM2] X =...
agpl-3.0
nickgentoo/LSTM-timepredictionPMdata
code/nick_evaluate_suffix_and_remaining_time_only_time_OHenc.py
1
15048
''' this script takes as input the LSTM or RNN weights found by train.py change the path in line 178 of this script to point to the h5 file with LSTM or RNN weights generated by train.py Author: Niek Tax ''' from __future__ import division from keras.models import load_model import csv import copy import numpy as np ...
gpl-3.0
shoyer/xarray
xarray/tests/test_variable.py
1
87655
import warnings from copy import copy, deepcopy from datetime import datetime, timedelta from textwrap import dedent import numpy as np import pandas as pd import pytest import pytz from xarray import Coordinate, Dataset, IndexVariable, Variable, set_options from xarray.core import dtypes, duck_array_ops, indexing fr...
apache-2.0
mph-/lcapy
lcapy/nexpr.py
1
7914
"""This module provides the DiscreteTimeDomainExpression class to represent discrete-time expressions. Copyright 2020--2021 Michael Hayes, UCECE """ from __future__ import division from .domains import DiscreteTimeDomain from .sequence import Sequence from .functions import exp from .sym import j, oo, pi, fsym, oo f...
lgpl-2.1
fja05680/pinkfish
examples/310.cryptocurrencies/strategy.py
1
6833
""" The SMA-ROC-portfolio stategy. This is SMA-ROC strategy applied to a portfolio. SMA-ROC is a rate of change calculation smoothed by a moving average. This module allows us to examine this strategy and try different period, stop loss percent, margin, and whether to use a regime filter or not. We split up the tota...
mit
tasoc/photometry
notes/halo_shift.py
1
2629
#!/usr/bin/env python3 # -*- coding: utf-8 -*- """ .. codeauthor:: Rasmus Handberg <rasmush@phys.au.dk> """ import numpy as np import matplotlib.pyplot as plt from astropy.io import fits import sqlite3 import os.path #------------------------------------------------------------------------------ def mag2flux(mag): ...
gpl-3.0
pythonvietnam/scikit-learn
sklearn/utils/tests/test_random.py
230
7344
from __future__ import division import numpy as np import scipy.sparse as sp from scipy.misc import comb as combinations from numpy.testing import assert_array_almost_equal from sklearn.utils.random import sample_without_replacement from sklearn.utils.random import random_choice_csc from sklearn.utils.testing import ...
bsd-3-clause
Barmaley-exe/scikit-learn
examples/tree/plot_tree_regression_multioutput.py
43
1791
""" =================================================================== Multi-output Decision Tree Regression =================================================================== An example to illustrate multi-output regression with decision tree. The :ref:`decision trees <tree>` is used to predict simultaneously the ...
bsd-3-clause
JosmanPS/scikit-learn
examples/cluster/plot_lena_ward_segmentation.py
271
1998
""" =============================================================== A demo of structured Ward hierarchical clustering on Lena image =============================================================== Compute the segmentation of a 2D image with Ward hierarchical clustering. The clustering is spatially constrained in order ...
bsd-3-clause
ryfeus/lambda-packs
LightGBM_sklearn_scipy_numpy/source/sklearn/cluster/dbscan_.py
18
12859
# -*- coding: utf-8 -*- """ DBSCAN: Density-Based Spatial Clustering of Applications with Noise """ # Author: Robert Layton <robertlayton@gmail.com> # Joel Nothman <joel.nothman@gmail.com> # Lars Buitinck # # License: BSD 3 clause import numpy as np from scipy import sparse from ..base import BaseEst...
mit
dschien/PyExcelModelingHelper
excel_helper/__init__.py
1
33092
import csv import datetime import importlib import sys from abc import abstractmethod from collections import defaultdict from typing import Dict, List, Set import numpy as np import pandas as pd from dateutil import relativedelta as rdelta import logging from functools import partial from xlrd import xldate_as_tupl...
mit
Habasari/sms-tools
lectures/08-Sound-transformations/plots-code/stftFiltering-orchestra.py
18
1677
import numpy as np import time, os, sys import matplotlib.pyplot as plt sys.path.append(os.path.join(os.path.dirname(os.path.realpath(__file__)), '../../../software/models/')) sys.path.append(os.path.join(os.path.dirname(os.path.realpath(__file__)), '../../../software/transformations/')) import utilFunctions as UF impo...
agpl-3.0
adammenges/statsmodels
statsmodels/tools/tests/test_tools.py
26
18818
""" Test functions for models.tools """ from statsmodels.compat.python import lrange, range import numpy as np from numpy.random import standard_normal from numpy.testing import (assert_equal, assert_array_equal, assert_almost_equal, assert_string_equal, TestCase) from nose.tools import (asse...
bsd-3-clause
heli522/scikit-learn
examples/neighbors/plot_approximate_nearest_neighbors_scalability.py
225
5719
""" ============================================ Scalability of Approximate Nearest Neighbors ============================================ This example studies the scalability profile of approximate 10-neighbors queries using the LSHForest with ``n_estimators=20`` and ``n_candidates=200`` when varying the number of sa...
bsd-3-clause
kushalbhola/MyStuff
Practice/PythonApplication/env/Lib/site-packages/pandas/tests/tslibs/test_libfrequencies.py
2
2889
import pytest from pandas._libs.tslibs.frequencies import ( INVALID_FREQ_ERR_MSG, _period_str_to_code, get_rule_month, is_subperiod, is_superperiod, ) from pandas.tseries import offsets @pytest.mark.parametrize( "obj,expected", [ ("W", "DEC"), (offsets.Week(), "DEC"), ...
apache-2.0
kaku289/paparazzi
sw/airborne/test/ahrs/ahrs_utils.py
86
4923
#! /usr/bin/env python # Copyright (C) 2011 Antoine Drouin # # This file is part of Paparazzi. # # Paparazzi is free software; you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by # the Free Software Foundation; either version 2, or (at your option) # any later ...
gpl-2.0
df8oe/UHSDR
mchf-eclipse/drivers/ui/lcd/edit-8x8-font.py
4
2343
# Tool to extract 8x8 font data, save to bitmap file, and apply modifications # to source code after editing the bitmap. from __future__ import print_function from matplotlib.pyplot import imread, imsave, imshow, show import numpy as np import sys # Where to find the font data - may need updated if code has changed. ...
gpl-3.0
amacd31/bom_data_parser
tests/test_hrs.py
1
2066
import os import numpy as np import pandas as pd import unittest from datetime import datetime from bom_data_parser import read_hrs_csv class HRSTest(unittest.TestCase): def setUp(self): self.test_cdo_file = os.path.join(os.path.dirname(__file__), 'data', 'HRS', '410730_daily_ts.csv') def test_hrs(se...
bsd-3-clause
spel-uchile/SUCHAI-Flight-Software
sandbox/log_parser.py
1
1956
import re import argparse import pandas as pd # General expressions re_error = re.compile(r'\[ERROR\]\[(\d+)\]\[(\w+)\](.+)') re_warning = re.compile(r'\[WARN \]\[(\d+)\]\[(\w+)\](.+)') re_info = re.compile(r'\[INFO \]\[(\d+)\]\[(\w+)\](.+)') re_debug = re.compile(r'\[DEBUG\]\[(\d+)\]\[(\w+)\](.+)') re_verbose = re.co...
gpl-3.0
kezilu/pextant
pextant/api.py
2
3350
import csv import json import logging import re from pextant.solvers.astarMesh import astarSolver from pextant.analysis.loadWaypoints import JSONloader import matplotlib.pyplot as plt logger = logging.getLogger() class Pathfinder: """ This class performs the A* path finding algorithm and contains the Cost Func...
mit
qrsforever/workspace
python/learn/thinkstats/rankit.py
1
1807
#!/usr/bin/python3 # -*- coding: utf-8 -*- """This file contains code for use with "Think Stats", by Allen B. Downey, available from greenteapress.com Copyright 2010 Allen B. Downey License: GNU GPLv3 http://www.gnu.org/licenses/gpl.html """ import random import thinkstats import myplot import matplotlib.pyplot as p...
mit
rrohan/scikit-learn
sklearn/ensemble/voting_classifier.py
178
8006
""" Soft Voting/Majority Rule classifier. This module contains a Soft Voting/Majority Rule classifier for classification estimators. """ # Authors: Sebastian Raschka <se.raschka@gmail.com>, # Gilles Louppe <g.louppe@gmail.com> # # Licence: BSD 3 clause import numpy as np from ..base import BaseEstimator f...
bsd-3-clause
Midnighter/pyorganism
setup.py
1
2511
#!/usr/bin/env python # -*- coding: utf-8 -*- """ ================== PyOrganism Package ================== :Authors: Moritz Emanuel Beber :Date: 2012-05-22 :Copyright: Copyright(c) 2012 Jacobs University of Bremen. All rights reserved. :File: setup.py """ import sys from os.path import join from s...
bsd-3-clause
chrismamil/chowda
test/test_chowda.py
1
2201
import unittest import os import chowda.parsing as parse import datetime import pandas as pd from chowda.load import load_file DATA_DIR = os.path.join(os.path.dirname(__file__), "data") TEST_FILE = "CTL1 wk3 exp1 RAW data.txt" TEST_1 = os.path.join(DATA_DIR, TEST_FILE) class TestChowda(unittest.TestCase): def s...
mit
cainiaocome/scikit-learn
sklearn/tree/tree.py
113
34767
""" This module gathers tree-based methods, including decision, regression and randomized trees. Single and multi-output problems are both handled. """ # Authors: Gilles Louppe <g.louppe@gmail.com> # Peter Prettenhofer <peter.prettenhofer@gmail.com> # Brian Holt <bdholt1@gmail.com> # Noel Da...
bsd-3-clause
ralbayaty/KaggleRetina
testing/censureHistCalc.py
1
4517
from skimage.feature import CENSURE from skimage.color import rgb2gray import matplotlib.pyplot as plt import numpy as np import cv2 import sys from PIL import Image, ImageDraw def draw_keypoints(img, kp, scale): draw = ImageDraw.Draw(img) # Draw a maximum of 300 keypoints for i in range(min(len(scale),300...
gpl-2.0
xuewei4d/scikit-learn
sklearn/inspection/tests/test_permutation_importance.py
7
17760
import pytest import numpy as np from numpy.testing import assert_allclose from sklearn.compose import ColumnTransformer from sklearn.datasets import load_diabetes from sklearn.datasets import load_iris from sklearn.datasets import make_classification from sklearn.datasets import make_regression from sklearn.dummy im...
bsd-3-clause
gfyoung/numpy
numpy/lib/twodim_base.py
2
27180
""" Basic functions for manipulating 2d arrays """ from __future__ import division, absolute_import, print_function import functools from numpy.core.numeric import ( absolute, asanyarray, arange, zeros, greater_equal, multiply, ones, asarray, where, int8, int16, int32, int64, empty, promote_types, diagonal, ...
bsd-3-clause
deepmind/open_spiel
open_spiel/python/egt/alpharank_visualizer_test.py
1
2447
# Copyright 2019 DeepMind Technologies Ltd. All rights reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by appl...
apache-2.0
quantopian/zipline
zipline/data/in_memory_daily_bars.py
1
5363
from six import iteritems import numpy as np import pandas as pd from pandas import NaT from trading_calendars import TradingCalendar from zipline.data.bar_reader import OHLCV, NoDataOnDate, NoDataForSid from zipline.data.session_bars import CurrencyAwareSessionBarReader from zipline.utils.input_validation import ex...
apache-2.0
jakobworldpeace/scikit-learn
sklearn/linear_model/tests/test_theil_sen.py
55
9939
""" Testing for Theil-Sen module (sklearn.linear_model.theil_sen) """ # Author: Florian Wilhelm <florian.wilhelm@gmail.com> # License: BSD 3 clause from __future__ import division, print_function, absolute_import import os import sys from contextlib import contextmanager import numpy as np from numpy.testing import ...
bsd-3-clause
larsmans/scikit-learn
sklearn/cluster/setup.py
31
1248
# Author: Alexandre Gramfort <alexandre.gramfort@inria.fr> # License: BSD 3 clause import os from os.path import join import numpy from sklearn._build_utils import get_blas_info def configuration(parent_package='', top_path=None): from numpy.distutils.misc_util import Configuration cblas_libs, blas_info = ...
bsd-3-clause
BhallaLab/moose-core
tests/core/test_function_example.py
2
3483
# Modified from function.py --- import numpy as np import matplotlib matplotlib.use('Agg') import matplotlib.pyplot as plt import moose simtime = 1.0 def test_example(): moose.Neutral('/model') function = moose.Function('/model/function') function.c['c0'] = 1.0 function.c['c1'] = 2.0 #function.x...
gpl-3.0
mojolab/LivingData
lib/livdatops.py
1
1153
import pandas def getColRenameDict(mergersheet,sheet): colrenamedict={} originalcolnames=mergersheet[sheet].fillna("NA") newcolnames=mergersheet[mergersheet.columns[0]] for i in range(0,len(originalcolnames)): colrenamedict[originalcolnames[i]]=newcolnames[i] # if originalcolnames[i]!="NA": # colrenamedict[...
apache-2.0
nomadcube/scikit-learn
examples/covariance/plot_sparse_cov.py
300
5078
""" ====================================== Sparse inverse covariance estimation ====================================== Using the GraphLasso estimator to learn a covariance and sparse precision from a small number of samples. To estimate a probabilistic model (e.g. a Gaussian model), estimating the precision matrix, t...
bsd-3-clause
Jimmy-Morzaria/scikit-learn
sklearn/utils/tests/test_murmurhash.py
261
2836
# Author: Olivier Grisel <olivier.grisel@ensta.org> # # License: BSD 3 clause import numpy as np from sklearn.externals.six import b, u from sklearn.utils.murmurhash import murmurhash3_32 from numpy.testing import assert_array_almost_equal from numpy.testing import assert_array_equal from nose.tools import assert_equa...
bsd-3-clause
alvarofierroclavero/scikit-learn
sklearn/ensemble/forest.py
176
62555
"""Forest of trees-based ensemble methods Those methods include random forests and extremely randomized trees. The module structure is the following: - The ``BaseForest`` base class implements a common ``fit`` method for all the estimators in the module. The ``fit`` method of the base ``Forest`` class calls the ...
bsd-3-clause
etamponi/resilient-protocol
resilient/ensemble.py
1
6786
import hashlib import numpy from sklearn.base import BaseEstimator, ClassifierMixin, clone from sklearn.tree.tree import DecisionTreeClassifier from sklearn.utils.fixes import unique from sklearn import preprocessing from sklearn.utils.random import check_random_state from resilient.logger import Logger from resilien...
gpl-2.0
mudbungie/NetExplorer
env/lib/python3.4/site-packages/networkx/tests/test_convert_pandas.py
43
2177
from nose import SkipTest from nose.tools import assert_true import networkx as nx class TestConvertPandas(object): numpy=1 # nosetests attribute, use nosetests -a 'not numpy' to skip test @classmethod def setupClass(cls): try: import pandas as pd except ImportError: ...
mit
aminert/scikit-learn
sklearn/feature_selection/__init__.py
244
1088
""" The :mod:`sklearn.feature_selection` module implements feature selection algorithms. It currently includes univariate filter selection methods and the recursive feature elimination algorithm. """ from .univariate_selection import chi2 from .univariate_selection import f_classif from .univariate_selection import f_...
bsd-3-clause
pkruskal/scikit-learn
sklearn/covariance/graph_lasso_.py
127
25626
"""GraphLasso: sparse inverse covariance estimation with an l1-penalized estimator. """ # Author: Gael Varoquaux <gael.varoquaux@normalesup.org> # License: BSD 3 clause # Copyright: INRIA import warnings import operator import sys import time import numpy as np from scipy import linalg from .empirical_covariance_ im...
bsd-3-clause
rajat1994/scikit-learn
examples/covariance/plot_sparse_cov.py
300
5078
""" ====================================== Sparse inverse covariance estimation ====================================== Using the GraphLasso estimator to learn a covariance and sparse precision from a small number of samples. To estimate a probabilistic model (e.g. a Gaussian model), estimating the precision matrix, t...
bsd-3-clause
ifarup/colourlab
tests/test_misc.py
1
1116
#!/usr/bin/env python3 # -*- coding: utf-8 -*- """ test_misc: Unittests for all functions in the misc module. Copyright (C) 2017 Ivar Farup This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either ver...
gpl-3.0
rlouf/patterns-of-segregation
bin/plot_gini.py
1
2527
"""plot_gini.py Plot the Gini of the income distribution as a function of the number of households in cities. """ from __future__ import division import csv import numpy as np import itertools from matplotlib import pylab as plt # # Parameters and functions # income_bins = [1000,12500,17500,22500,27500,32500,37500,42...
bsd-3-clause
dhhagan/ACT
ACT/thermo/visualize.py
1
13306
""" Classes and functions used to visualize data for thermo scientific analyzers """ from pandas import Series, DataFrame import pandas as pd import datetime as dt import matplotlib.pyplot as plt import numpy as np from matplotlib import dates as d import os import math import glob import matplotlib import warnings i...
mit
AlexanderFabisch/scikit-learn
sklearn/manifold/t_sne.py
13
34618
# Author: Alexander Fabisch -- <afabisch@informatik.uni-bremen.de> # Author: Christopher Moody <chrisemoody@gmail.com> # Author: Nick Travers <nickt@squareup.com> # License: BSD 3 clause (C) 2014 # This is the exact and Barnes-Hut t-SNE implementation. There are other # modifications of the algorithm: # * Fast Optimi...
bsd-3-clause
ottermegazord/ottermegazord.github.io
onexi/data_processing/s05_genPlots.py
1
1460
import pandas as pd import matplotlib matplotlib.use('Agg') import matplotlib.pyplot as plt import os import pdb import sys plt.style.use("ggplot") os.chdir("..") ipath = "./Data/Final_Data/" ifile = "Final_Data" opath = "./Data/Final_Data/Neighborhoods/" imgpath = "./Plots/Neighborhood_TS/" ext = ".csv" input_var =...
mit
linebp/pandas
pandas/io/packers.py
4
27509
""" Msgpack serializer support for reading and writing pandas data structures to disk portions of msgpack_numpy package, by Lev Givon were incorporated into this module (and tests_packers.py) License ======= Copyright (c) 2013, Lev Givon. All rights reserved. Redistribution and use in source and binary forms, with ...
bsd-3-clause
kenshay/ImageScript
ProgramData/SystemFiles/Python/Lib/site-packages/dask/array/tests/test_percentiles.py
4
2323
import pytest pytest.importorskip('numpy') import numpy as np import dask.array as da from dask.array.utils import assert_eq, same_keys def test_percentile(): d = da.ones((16,), chunks=(4,)) assert_eq(da.percentile(d, [0, 50, 100]), np.array([1, 1, 1], dtype=d.dtype)) x = np.array([0, 0, ...
gpl-3.0
SciLifeLab/bcbio-nextgen
bcbio/rnaseq/count.py
1
12286
""" count number of reads mapping to features of transcripts """ import os import sys import itertools # soft imports try: import HTSeq import pandas as pd import gffutils except ImportError: HTSeq, pd, gffutils = None, None, None from bcbio.utils import file_exists from bcbio.distributed.transaction...
mit
carlthome/librosa
librosa/feature/utils.py
1
8078
#!/usr/bin/env python # -*- coding: utf-8 -*- """Feature manipulation utilities""" from warnings import warn import numpy as np import scipy.signal from .._cache import cache from ..util.exceptions import ParameterError __all__ = ['delta', 'stack_memory'] @cache(level=40) def delta(data, width=9, order=1, axis=-1, ...
isc
michigraber/scikit-learn
examples/calibration/plot_calibration_multiclass.py
272
6972
""" ================================================== Probability Calibration for 3-class classification ================================================== This example illustrates how sigmoid calibration changes predicted probabilities for a 3-class classification problem. Illustrated is the standard 2-simplex, wher...
bsd-3-clause
cavestruz/L500analysis
plotting/profiles/T_Vcirc_evolution/Vcirc_evolution/plot_Vcirc2_nu_binned_Vc500c.py
1
3175
from L500analysis.data_io.get_cluster_data import GetClusterData from L500analysis.utils.utils import aexp2redshift from L500analysis.plotting.tools.figure_formatting import * from L500analysis.plotting.profiles.tools.profiles_percentile \ import * from L500analysis.plotting.profiles.tools.select_profiles \ imp...
mit
soleneulmer/atmos
indicators_molec.py
1
4324
# =================================== # CALCULATES Ioff and Ires # Indicators described in Molecfit II # # Solene 20.09.2016 # =================================== # import numpy as np from astropy.io import fits import matplotlib.pyplot as plt # from PyAstronomy import pyasl from scipy.interpolate import interp1d from ...
mit
xuewei4d/scikit-learn
sklearn/decomposition/__init__.py
14
1396
""" The :mod:`sklearn.decomposition` module includes matrix decomposition algorithms, including among others PCA, NMF or ICA. Most of the algorithms of this module can be regarded as dimensionality reduction techniques. """ from ._nmf import NMF, non_negative_factorization from ._pca import PCA from ._incremental_pca...
bsd-3-clause
evidation-health/bokeh
bokeh/tests/test_sources.py
26
3245
from __future__ import absolute_import import unittest from unittest import skipIf import warnings try: import pandas as pd is_pandas = True except ImportError as e: is_pandas = False from bokeh.models.sources import DataSource, ColumnDataSource, ServerDataSource class TestColumnDataSourcs(unittest.Test...
bsd-3-clause
blaze/dask
dask/dataframe/hyperloglog.py
3
2433
"""Implementation of HyperLogLog This implements the HyperLogLog algorithm for cardinality estimation, found in Philippe Flajolet, Éric Fusy, Olivier Gandouet and Frédéric Meunier. "HyperLogLog: the analysis of a near-optimal cardinality estimation algorithm". 2007 Conference on Analysis of Algori...
bsd-3-clause
blekhmanlab/hominid
hominid/sort_results.py
1
6152
""" Read a rvcf file with stability selection scores for taxa. Sort the dataframe by rsq_median. Print results. usage: python sort_results.py \ ../example/stability_selection_example_output.vcf \ ../example/hominid_example_taxon_table_input.txt \ arcsinsqrt \ 0.5 \ 10 """ im...
mit
pradyu1993/scikit-learn
sklearn/datasets/tests/test_lfw.py
2
6778
"""This test for the LFW require medium-size data dowloading and processing If the data has not been already downloaded by runnning the examples, the tests won't run (skipped). If the test are run, the first execution will be long (typically a bit more than a couple of minutes) but as the dataset loader is leveraging...
bsd-3-clause
hyperspy/hyperspyUI
hyperspyui/plugins/mva.py
2
15334
# -*- coding: utf-8 -*- # Copyright 2014-2016 The HyperSpyUI developers # # This file is part of HyperSpyUI. # # HyperSpyUI is free software: you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by # the Free Software Foundation, either version 3 of the License, or #...
gpl-3.0
ryandougherty/mwa-capstone
MWA_Tools/build/matplotlib/examples/misc/rasterization_demo.py
6
1257
import numpy as np import matplotlib.pyplot as plt d = np.arange(100).reshape(10, 10) x, y = np.meshgrid(np.arange(11), np.arange(11)) theta = 0.25*np.pi xx = x*np.cos(theta) - y*np.sin(theta) yy = x*np.sin(theta) + y*np.cos(theta) ax1 = plt.subplot(221) ax1.set_aspect(1) ax1.pcolormesh(xx, yy, d) ax1.set_title("No ...
gpl-2.0
fzalkow/scikit-learn
examples/plot_kernel_approximation.py
262
8004
""" ================================================== Explicit feature map approximation for RBF kernels ================================================== An example illustrating the approximation of the feature map of an RBF kernel. .. currentmodule:: sklearn.kernel_approximation It shows how to use :class:`RBFSa...
bsd-3-clause
jmchen-g/models
autoencoder/MaskingNoiseAutoencoderRunner.py
10
1689
import numpy as np import sklearn.preprocessing as prep import tensorflow as tf from tensorflow.examples.tutorials.mnist import input_data from autoencoder.autoencoder_models.DenoisingAutoencoder import MaskingNoiseAutoencoder mnist = input_data.read_data_sets('MNIST_data', one_hot = True) def standard_scale(X_trai...
apache-2.0
hugohmk/Epidemic-Emulator
main.py
1
7208
from epidemic_emulator import node from datetime import datetime import platform import argparse import time import os import matplotlib.pyplot as plt import random def parse_network(f, node_id, topology = "clique"): neighbors = [] nd = None t = datetime.now() t = t-t net = [] index = -1 ...
mit
spallavolu/scikit-learn
sklearn/cluster/setup.py
263
1449
# Author: Alexandre Gramfort <alexandre.gramfort@inria.fr> # License: BSD 3 clause import os from os.path import join import numpy from sklearn._build_utils import get_blas_info def configuration(parent_package='', top_path=None): from numpy.distutils.misc_util import Configuration cblas_libs, blas_info = ...
bsd-3-clause
vascotenner/holoviews
holoviews/plotting/mpl/annotation.py
1
3913
import matplotlib from matplotlib import patches as patches from ...core.util import match_spec from ...core.options import abbreviated_exception from .element import ElementPlot class AnnotationPlot(ElementPlot): """ AnnotationPlot handles the display of all annotation elements. """ def __init__(se...
bsd-3-clause
GkAntonius/feynman
examples/Solid_State_Physics/plot_eph.py
2
1265
""" Electron-phonon coupling self-energy ==================================== A diagram containing loopy lines. """ from feynman import Diagram import matplotlib.pyplot as plt fig = plt.figure(figsize=(8,2)) ax = fig.add_axes([0,0,1,1], frameon=False) ax.set_xlim(0, fig.get_size_inches()[0]) ax.set_ylim(0, fig.get_s...
gpl-3.0
ebrensi/registry-frontend
ff.py
1
1240
#! usr/bin/env python # This script is for testing without having to host the flask app. import folium import pandas as pd import os from sqlalchemy import create_engine import geojson DATABASE_URL = os.environ["DATABASE_URL"] STATES_GEOJSON_PATH = "static/us-states.json" engine = create_engine(DATABASE_URL) with e...
mit
LaRiffle/axa_challenge
fonction_py/train.py
1
12400
from fonction_py.tools import * from fonction_py.preprocess import * from sklearn import linear_model import pandas as pd import numpy as np import matplotlib.pyplot as plt from sklearn import cross_validation from sklearn.linear_model import LogisticRegression from sklearn import tree from sklearn import svm from skle...
mit