commit
stringlengths 40
40
| old_file
stringlengths 4
112
| new_file
stringlengths 4
112
| old_contents
stringlengths 0
2.05k
| new_contents
stringlengths 28
3.9k
| subject
stringlengths 17
736
| message
stringlengths 18
4.78k
| lang
stringclasses 1
value | license
stringclasses 13
values | repos
stringlengths 7
111k
|
---|---|---|---|---|---|---|---|---|---|
38b20649403f2cbffc4581211f1b61868e3b358f | include/features.h | include/features.h |
#ifndef __FEATURES_H
#define __FEATURES_H
#ifdef __STDC__
#define __P(x) x
#define __const const
/* Almost ansi */
#if __STDC__ != 1
#define const
#define volatile
#endif
#else /* K&R */
#define __P(x) ()
#define __const
#define const
#define volatile
#endif
/* No C++ */
#define __BEGIN_DECLS
#define __END_DECLS
/* GNUish things */
#define __CONSTVALUE
#define __CONSTVALUE2
#define _POSIX_THREAD_SAFE_FUNCTIONS
#include <sys/cdefs.h>
#endif
|
#ifndef __FEATURES_H
#define __FEATURES_H
/* Major and minor version number of the uCLibc library package. Use
these macros to test for features in specific releases. */
#define __UCLIBC__ 0
#define __UCLIBC_MAJOR__ 9
#define __UCLIBC_MINOR__ 1
#ifdef __STDC__
#define __P(x) x
#define __const const
/* Almost ansi */
#if __STDC__ != 1
#define const
#define volatile
#endif
#else /* K&R */
#define __P(x) ()
#define __const
#define const
#define volatile
#endif
/* No C++ */
#define __BEGIN_DECLS
#define __END_DECLS
/* GNUish things */
#define __CONSTVALUE
#define __CONSTVALUE2
#define _POSIX_THREAD_SAFE_FUNCTIONS
#include <sys/cdefs.h>
#endif
| Add in a version number so apps can tell uclib is being used. -Erik | Add in a version number so apps can tell uclib is being used.
-Erik
| C | lgpl-2.1 | wbx-github/uclibc-ng,atgreen/uClibc-moxie,ysat0/uClibc,skristiansson/uClibc-or1k,skristiansson/uClibc-or1k,wbx-github/uclibc-ng,klee/klee-uclibc,atgreen/uClibc-moxie,hjl-tools/uClibc,kraj/uClibc,ffainelli/uClibc,groundwater/uClibc,m-labs/uclibc-lm32,groundwater/uClibc,majek/uclibc-vx32,groundwater/uClibc,foss-xtensa/uClibc,ysat0/uClibc,klee/klee-uclibc,ffainelli/uClibc,m-labs/uclibc-lm32,OpenInkpot-archive/iplinux-uclibc,hjl-tools/uClibc,kraj/uClibc,ChickenRunjyd/klee-uclibc,skristiansson/uClibc-or1k,mephi42/uClibc,groundwater/uClibc,foss-xtensa/uClibc,groundwater/uClibc,hjl-tools/uClibc,ddcc/klee-uclibc-0.9.33.2,brgl/uclibc-ng,waweber/uclibc-clang,kraj/uClibc,klee/klee-uclibc,hwoarang/uClibc,hwoarang/uClibc,ddcc/klee-uclibc-0.9.33.2,klee/klee-uclibc,OpenInkpot-archive/iplinux-uclibc,waweber/uclibc-clang,m-labs/uclibc-lm32,czankel/xtensa-uclibc,kraj/uclibc-ng,brgl/uclibc-ng,majek/uclibc-vx32,mephi42/uClibc,hjl-tools/uClibc,kraj/uclibc-ng,m-labs/uclibc-lm32,ChickenRunjyd/klee-uclibc,kraj/uclibc-ng,atgreen/uClibc-moxie,czankel/xtensa-uclibc,ndmsystems/uClibc,gittup/uClibc,gittup/uClibc,ffainelli/uClibc,ddcc/klee-uclibc-0.9.33.2,czankel/xtensa-uclibc,hjl-tools/uClibc,ffainelli/uClibc,wbx-github/uclibc-ng,foss-for-synopsys-dwc-arc-processors/uClibc,brgl/uclibc-ng,wbx-github/uclibc-ng,OpenInkpot-archive/iplinux-uclibc,skristiansson/uClibc-or1k,foss-for-synopsys-dwc-arc-processors/uClibc,ndmsystems/uClibc,OpenInkpot-archive/iplinux-uclibc,ysat0/uClibc,czankel/xtensa-uclibc,gittup/uClibc,ChickenRunjyd/klee-uclibc,foss-for-synopsys-dwc-arc-processors/uClibc,gittup/uClibc,foss-for-synopsys-dwc-arc-processors/uClibc,atgreen/uClibc-moxie,ddcc/klee-uclibc-0.9.33.2,foss-xtensa/uClibc,ndmsystems/uClibc,hwoarang/uClibc,ndmsystems/uClibc,kraj/uclibc-ng,brgl/uclibc-ng,ysat0/uClibc,mephi42/uClibc,majek/uclibc-vx32,foss-xtensa/uClibc,majek/uclibc-vx32,mephi42/uClibc,hwoarang/uClibc,ChickenRunjyd/klee-uclibc,kraj/uClibc,waweber/uclibc-clang,ffainelli/uClibc,waweber/uclibc-clang |
c35746580036ca9b6fc9ec172634dfab12237abb | include/odp_sync.h | include/odp_sync.h | /* Copyright (c) 2013, Linaro Limited
* All rights reserved.
*
* SPDX-License-Identifier: BSD-3-Clause
*/
/**
* @file
*
* ODP synchronisation
*/
#ifndef ODP_SYNC_H_
#define ODP_SYNC_H_
#ifdef __cplusplus
extern "C" {
#endif
/**
* Synchronise stores
*
* Ensures that all CPU store operations that precede the odp_sync_stores()
* call are globally visible before any store operation that follows it.
*/
static inline void odp_sync_stores(void)
{
#if defined __x86_64__ || defined __i386__
__asm__ __volatile__ ("sfence\n" : : : "memory");
#elif defined __arm__
__asm__ __volatile__ ("dmb st" : : : "memory");
#elif defined __OCTEON__
__asm__ __volatile__ ("syncws\n" : : : "memory");
#else
__sync_synchronize();
#endif
}
#ifdef __cplusplus
}
#endif
#endif
| /* Copyright (c) 2013, Linaro Limited
* All rights reserved.
*
* SPDX-License-Identifier: BSD-3-Clause
*/
/**
* @file
*
* ODP synchronisation
*/
#ifndef ODP_SYNC_H_
#define ODP_SYNC_H_
#ifdef __cplusplus
extern "C" {
#endif
/**
* Synchronise stores
*
* Ensures that all CPU store operations that precede the odp_sync_stores()
* call are globally visible before any store operation that follows it.
*/
static inline void odp_sync_stores(void)
{
#if defined __x86_64__ || defined __i386__
__asm__ __volatile__ ("sfence\n" : : : "memory");
#elif defined __arm__ || defined __aarch64__
__asm__ __volatile__ ("dmb st" : : : "memory");
#elif defined __OCTEON__
__asm__ __volatile__ ("syncws\n" : : : "memory");
#else
__sync_synchronize();
#endif
}
#ifdef __cplusplus
}
#endif
#endif
| Add write memory barrier for aarch64 | Add write memory barrier for aarch64
This patch updates odp_sync_stores routine to add write memory barrier for
aarch64.
Signed-off-by: Ankit Jindal <[email protected]>
Signed-off-by: Tushar Jagad <[email protected]>
Reviewed-by: Anders Roxell <[email protected]>
| C | bsd-3-clause | ravineet-singh/odp,kalray/odp-mppa,dkrot/odp,mike-holmes-linaro/odp,nmorey/odp,rsalveti/odp,dkrot/odp,kalray/odp-mppa,erachmi/odp,erachmi/odp,rsalveti/odp,kalray/odp-mppa,dkrot/odp,mike-holmes-linaro/odp,kalray/odp-mppa,ravineet-singh/odp,kalray/odp-mppa,nmorey/odp,mike-holmes-linaro/odp,rsalveti/odp,rsalveti/odp,ravineet-singh/odp,erachmi/odp,ravineet-singh/odp,erachmi/odp,nmorey/odp,rsalveti/odp,kalray/odp-mppa,dkrot/odp,kalray/odp-mppa,nmorey/odp,mike-holmes-linaro/odp |
fb0da0b3b4ece34207375ecddd022f2e2d5b7c52 | include/libk/kputs.h | include/libk/kputs.h | #ifndef KPUTS_H
#define KPUTS_H
#include "drivers/terminal.h"
void kputs(char* string);
void kprint_int(char* string, int i);
#endif
| #ifndef KPUTS_H
#define KPUTS_H
#include <stdarg.h>
#include "drivers/terminal.h"
void kputs(char* string);
void kprintf(char* string, ...);
#endif
| Update headers to match new printf | Update headers to match new printf
| C | mit | Herbstein/kernel-of-truth,awensaunders/kernel-of-truth,iankronquist/kernel-of-truth,awensaunders/kernel-of-truth,iankronquist/kernel-of-truth,Herbstein/kernel-of-truth,Herbstein/kernel-of-truth,awensaunders/kernel-of-truth,iankronquist/kernel-of-truth,iankronquist/kernel-of-truth,iankronquist/kernel-of-truth |
afd6a6dcac92c604ff97892e3c95f845dd479bc5 | includes/grid_cell.h | includes/grid_cell.h | #ifndef GRIDCELL_H
#define GRIDCELL_H
#include <gsl/gsl_rng.h>
/*
DATA STRUCTURES
*/
#define GC_NUM_STATES 4
typedef enum { DECIDUOUS,CONIFEROUS,TRANSITIONAL,MIXED} State;
typedef double StateData [GC_NUM_STATES];
typedef enum { MOORE, VONNE} NeighType;
extern State GC_POSSIBLE_STATES [GC_NUM_STATES]; // this is an array giving all possible states
typedef struct {
double meanTemp;
/*Task: list all variables need to be used*/
// Fill later
} Climate;
typedef struct {
State* currentState;
State* stateHistory;
Climate climate;
StateData prevalence;
StateData transitionProbs;
size_t historySize;
} GridCell;
/*.
FUNCTION PROTOTYPES
*/
GridCell* gc_make_cell (size_t numTimeSteps); // allocate memory and null initialize cell, initialize pointers
void gc_get_trans_prob (GridCell* cell);
void gc_select_new_state (GridCell* cell, gsl_rng* rng);
void gc_destroy_cell(GridCell *cell);
#endif
| #ifndef GRIDCELL_H
#define GRIDCELL_H
#include <gsl/gsl_rng.h>
/*
DATA STRUCTURES
*/
#define GC_NUM_STATES 4
typedef enum { DECIDUOUS,CONIFEROUS,TRANSITIONAL,MIXED} State;
typedef double StateData [GC_NUM_STATES];
typedef enum { MOORE, VONNE} NeighType;
typedef struct {
double meanTemp;
/*Task: list all variables need to be used*/
// Fill later
} Climate;
typedef struct {
State* currentState;
State* stateHistory;
Climate climate;
StateData prevalence;
StateData transitionProbs;
size_t historySize;
} GridCell;
/*.
FUNCTION PROTOTYPES
*/
GridCell* gc_make_cell (size_t numTimeSteps); // allocate memory and null initialize cell, initialize pointers
void gc_get_trans_prob (GridCell* cell);
void gc_select_new_state (GridCell* cell, gsl_rng* rng);
void gc_destroy_cell(GridCell *cell);
#endif
| Delete unused extern variable declared | Delete unused extern variable declared
| C | mit | QUICC-FOR/STModel-Simulation,QUICC-FOR/STModel-Simulation |
cac419e1c61a882875bcf0ea494ead7b476998ce | src/qt/guiconstants.h | src/qt/guiconstants.h | #ifndef GUICONSTANTS_H
#define GUICONSTANTS_H
/* Milliseconds between model updates */
static const int MODEL_UPDATE_DELAY = 500;
/* AskPassphraseDialog -- Maximum passphrase length */
static const int MAX_PASSPHRASE_SIZE = 1024;
/* CubitsGUI -- Size of icons in status bar */
static const int STATUSBAR_ICONSIZE = 16;
/* Invalid field background style */
#define STYLE_INVALID "background:#FF8080"
/* Transaction list -- unconfirmed transaction */
#define COLOR_UNCONFIRMED QColor(128, 128, 128)
/* Transaction list -- negative amount */
#define COLOR_NEGATIVE QColor(255, 0, 0)
/* Transaction list -- bare address (without label) */
#define COLOR_BAREADDRESS QColor(140, 140, 140)
/* Tooltips longer than this (in characters) are converted into rich text,
so that they can be word-wrapped.
*/
static const int TOOLTIP_WRAP_THRESHOLD = 80;
/* Maximum allowed URI length */
static const int MAX_URI_LENGTH = 255;
/* QRCodeDialog -- size of exported QR Code image */
#define EXPORT_IMAGE_SIZE 256
#endif // GUICONSTANTS_H
| #ifndef GUICONSTANTS_H
#define GUICONSTANTS_H
/* Milliseconds between model updates */
static const int MODEL_UPDATE_DELAY = 5000;
/* AskPassphraseDialog -- Maximum passphrase length */
static const int MAX_PASSPHRASE_SIZE = 1024;
/* CubitsGUI -- Size of icons in status bar */
static const int STATUSBAR_ICONSIZE = 16;
/* Invalid field background style */
#define STYLE_INVALID "background:#FF8080"
/* Transaction list -- unconfirmed transaction */
#define COLOR_UNCONFIRMED QColor(128, 128, 128)
/* Transaction list -- negative amount */
#define COLOR_NEGATIVE QColor(255, 0, 0)
/* Transaction list -- bare address (without label) */
#define COLOR_BAREADDRESS QColor(140, 140, 140)
/* Tooltips longer than this (in characters) are converted into rich text,
so that they can be word-wrapped.
*/
static const int TOOLTIP_WRAP_THRESHOLD = 80;
/* Maximum allowed URI length */
static const int MAX_URI_LENGTH = 255;
/* QRCodeDialog -- size of exported QR Code image */
#define EXPORT_IMAGE_SIZE 256
#endif // GUICONSTANTS_H
| Set more rare GUI update | Set more rare GUI update
| C | mit | scificrypto/CubitsV3,scificrypto/CubitsV3,scificrypto/CubitsV3,scificrypto/CubitsV3 |
488fd420411e307851adaa63bf5051d52bda04cd | tests/mpich-example.c | tests/mpich-example.c | #include <stdio.h>
#include <stdlib.h>
#include <mpi.h>
int
main (int argc, char *argv[])
{
int rank, size, length;
char name[BUFSIZ];
MPI_Init (&argc, &argv);
MPI_Comm_rank (MPI_COMM_WORLD, &rank);
MPI_Comm_size (MPI_COMM_WORLD, &size);
MPI_Get_processor_name (name, &length);
printf ("%s: hello world from process %d of %d\n", name, rank, size);
MPI_Finalize ();
return EXIT_SUCCESS;
}
| Add missing file for the MPI test. | Add missing file for the MPI test.
svn path=/nixos/trunk/; revision=27337
| C | mit | SymbiFlow/nixpkgs,SymbiFlow/nixpkgs,NixOS/nixos,SymbiFlow/nixpkgs,SymbiFlow/nixpkgs,triton/triton,edolstra/nixos,NixOS/nixpkgs,andreassalomonsson/nixos,NixOS/nixos,SymbiFlow/nixpkgs,NixOS/nixos,triton/triton,SymbiFlow/nixpkgs,triton/triton,NixOS/nixos,SymbiFlow/nixpkgs,NixOS/nixpkgs,triton/triton,NixOS/nixpkgs,SymbiFlow/nixpkgs,triton/triton,NixOS/nixpkgs,rbvermaa/nixos-svn,andreassalomonsson/nixos,NixOS/nixpkgs,triton/triton,SymbiFlow/nixpkgs,rbvermaa/nixos-svn,edolstra/nixos,NixOS/nixpkgs,NixOS/nixpkgs,andreassalomonsson/nixos,triton/triton,SymbiFlow/nixpkgs,edolstra/nixos,SymbiFlow/nixpkgs,SymbiFlow/nixpkgs,NixOS/nixpkgs,NixOS/nixpkgs,rbvermaa/nixos-svn,andreassalomonsson/nixos,NixOS/nixpkgs,triton/triton,SymbiFlow/nixpkgs,rbvermaa/nixos-svn,andreassalomonsson/nixos,NixOS/nixpkgs,NixOS/nixpkgs,NixOS/nixos,NixOS/nixpkgs,edolstra/nixos,andreassalomonsson/nixos,edolstra/nixos,NixOS/nixpkgs,NixOS/nixpkgs,NixOS/nixos |
|
db16fea6b11cf939f5cb12ef95637abca2072f33 | unittest/cycletimer.h | unittest/cycletimer.h | // (C) Copyright 2017, Google Inc.
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
// http://www.apache.org/licenses/LICENSE-2.0
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
// Portability include to match the Google test environment.
#ifndef TESSERACT_UNITTEST_CYCLETIMER_H
#define TESSERACT_UNITTEST_CYCLETIMER_H
#include "absl/time/clock.h" // for GetCurrentTimeNanos
// See https://github.com/google/or-tools/blob/master/ortools/base/timer.h
class CycleTimer {
public:
CycleTimer() {
Reset();
}
void Reset() {
running_ = false;
sum_ = 0;
}
// When Start() is called multiple times, only the most recent is used.
void Start() {
running_ = true;
start_ = absl::GetCurrentTimeNanos();
}
void Restart() {
sum_ = 0;
Start();
}
void Stop() {
if (running_) {
sum_ += absl::GetCurrentTimeNanos() - start_;
running_ = false;
}
}
int64_t GetInMs() const { return GetNanos() / 1000000; }
protected:
int64_t GetNanos() const {
return running_ ? absl::GetCurrentTimeNanos() - start_ + sum_ : sum_;
}
private:
bool running_;
int64_t start_;
int64_t sum_;
};
#endif // TESSERACT_UNITTEST_CYCLETIMER_H
| Add a basic implementation of class CycleTimer | Add a basic implementation of class CycleTimer
It is used by baseapi_test.
Signed-off-by: Stefan Weil <[email protected]>
| C | apache-2.0 | tesseract-ocr/tesseract,stweil/tesseract,jbarlow83/tesseract,UB-Mannheim/tesseract,amitdo/tesseract,UB-Mannheim/tesseract,tesseract-ocr/tesseract,stweil/tesseract,stweil/tesseract,stweil/tesseract,UB-Mannheim/tesseract,jbarlow83/tesseract,UB-Mannheim/tesseract,jbarlow83/tesseract,tesseract-ocr/tesseract,amitdo/tesseract,jbarlow83/tesseract,amitdo/tesseract,tesseract-ocr/tesseract,UB-Mannheim/tesseract,amitdo/tesseract,tesseract-ocr/tesseract,jbarlow83/tesseract,stweil/tesseract,amitdo/tesseract |
|
bff8460f062b896473f4ef4d0baf5ad1c35c40e5 | include/teraranger_hub/serial_port.h | include/teraranger_hub/serial_port.h | #ifndef TR_HUB_SERIAL_PORT_H
#define TR_HUB_SERIAL_PORT_H
#include <stdio.h> // Standard input/output definitions
#include <string.h> // String function definitions
#include <unistd.h> // UNIX standard function definitions
#include <fcntl.h> // File control definitions
#include <errno.h> // Error number definitions
#include <termios.h> // POSIX terminal control definitions
#include <sys/ioctl.h>
#include <boost/thread.hpp>
#include <boost/function.hpp>
#include <string>
namespace tr_hub_parser
{
class SerialPort
{
public:
SerialPort();
virtual ~SerialPort();
bool connect(const std::string port);
void disconnect();
bool sendChar(const char c[]);
void setSerialCallbackFunction(boost::function<void(uint8_t)> *f);
void serialThread();
int serial_port_fd_;
boost::thread serial_thread_;
bool serial_thread_should_exit_;
boost::function<void(uint8_t)> * serial_callback_function;
};
} // namespace tr_hub_parser
#endif // TR_HUB_SERIAL_PORT_H
| #ifndef TERARANGER_HUB_SERIAL_PORT_H
#define TERARANGER_HUB_SERIAL_PORT_H
#include <stdio.h> // Standard input/output definitions
#include <string.h> // String function definitions
#include <unistd.h> // UNIX standard function definitions
#include <fcntl.h> // File control definitions
#include <errno.h> // Error number definitions
#include <termios.h> // POSIX terminal control definitions
#include <sys/ioctl.h>
#include <boost/thread.hpp>
#include <boost/function.hpp>
#include <string>
namespace tr_hub_parser
{
class SerialPort
{
public:
SerialPort();
virtual ~SerialPort();
bool connect(const std::string port);
void disconnect();
bool sendChar(const char c[]);
void setSerialCallbackFunction(boost::function<void(uint8_t)> *f);
void serialThread();
int serial_port_fd_;
boost::thread serial_thread_;
bool serial_thread_should_exit_;
boost::function<void(uint8_t)> * serial_callback_function;
};
} // namespace tr_hub_parser
#endif // TERARANGER_HUB_SERIAL_PORT_H
| Fix ifdef for serial port header file | Fix ifdef for serial port header file
| C | mit | Terabee/teraranger_array,Terabee/teraranger_array |
f9167849b8c24cd4689aedd6c9a1c43719091d8f | tests/sv-comp/observer/path_nofun_true-unreach-call.c | tests/sv-comp/observer/path_nofun_true-unreach-call.c | extern void __VERIFIER_error() __attribute__ ((__noreturn__));
extern int __VERIFIER_nondet_int();
void __VERIFIER_assert(int cond) {
if (!(cond)) {
ERROR: __VERIFIER_error();
}
return;
}
int main()
{
int x, y;
if (__VERIFIER_nondet_int())
{
x = 0;
y = 1;
}
else
{
x = 1;
y = 0;
}
// if (!(x + y == 1))
if (x + y != 1)
__VERIFIER_error();
return 0;
} | extern void __VERIFIER_error() __attribute__ ((__noreturn__));
extern int __VERIFIER_nondet_int();
int main()
{
int x, y;
if (__VERIFIER_nondet_int())
{
x = 0;
y = 1;
}
else
{
x = 1;
y = 0;
}
// if (!(x + y == 1))
if (x + y != 1)
__VERIFIER_error();
return 0;
} | Remove unused __VERIFIER_assert definition from nofun test | Remove unused __VERIFIER_assert definition from nofun test
| C | mit | goblint/analyzer,goblint/analyzer,goblint/analyzer,goblint/analyzer,goblint/analyzer |
c34ed4e5cb60bfbb707118f69f3bb9fea48ce890 | src/qtyaml_global.h | src/qtyaml_global.h | #ifndef QTYAML_GLOBAL_H
#define QTYAML_GLOBAL_H
#include <QtCore/QtGlobal>
#if defined(QTYAML_LIBRARY)
# define QTYAMLSHARED_EXPORT Q_DECL_EXPORT
#else
# define QTYAMLSHARED_EXPORT Q_DECL_IMPORT
#endif
#endif // QTYAML_GLOBAL_H
| #ifndef QTYAML_GLOBAL_H
#define QTYAML_GLOBAL_H
#include <QtCore/QtGlobal>
#ifdef YAML_DECLARE_STATIC
# define QTYAMLSHARED_EXPORT
#else
# ifdef QTYAML_LIBRARY
# define QTYAMLSHARED_EXPORT Q_DECL_EXPORT
# else
# define QTYAMLSHARED_EXPORT Q_DECL_IMPORT
# endif
#endif
#endif // QTYAML_GLOBAL_H
| Add support for static lib | Add support for static lib
| C | mit | uranusjr/qtyaml,uranusjr/qtyaml |
ccac208ec5892857a5847a12b098d2358e023f7c | lib/common/htmllex.h | lib/common/htmllex.h | /* $Id$ $Revision$ */
/* vim:set shiftwidth=4 ts=8: */
/**********************************************************
* This software is part of the graphviz package *
* http://www.graphviz.org/ *
* *
* Copyright (c) 1994-2004 AT&T Corp. *
* and is licensed under the *
* Common Public License, Version 1.0 *
* by AT&T Corp. *
* *
* Information and Software Systems Research *
* AT&T Research, Florham Park NJ *
**********************************************************/
#ifdef __cplusplus
extern "C" {
#endif
#ifndef HTMLLEX_H
#define HTMLLEX_H
#include <agxbuf.h>
extern int initHTMLlexer(char *, agxbuf *);
extern int htmllex(void);
extern int htmllineno(void);
extern int clearHTMLlexer(void);
void htmlerror(const char *);
#endif
#ifdef __cplusplus
}
#endif
| /* $Id$ $Revision$ */
/* vim:set shiftwidth=4 ts=8: */
/**********************************************************
* This software is part of the graphviz package *
* http://www.graphviz.org/ *
* *
* Copyright (c) 1994-2004 AT&T Corp. *
* and is licensed under the *
* Common Public License, Version 1.0 *
* by AT&T Corp. *
* *
* Information and Software Systems Research *
* AT&T Research, Florham Park NJ *
**********************************************************/
#ifdef __cplusplus
extern "C" {
#endif
#ifndef HTMLLEX_H
#define HTMLLEX_H
#include <agxbuf.h>
extern int initHTMLlexer(char *, agxbuf *, int);
extern int htmllex(void);
extern int htmllineno(void);
extern int clearHTMLlexer(void);
void htmlerror(const char *);
#endif
#ifdef __cplusplus
}
#endif
| Add support for charset attribute and Latin1 encoding. | Add support for charset attribute and Latin1 encoding.
| C | epl-1.0 | kbrock/graphviz,pixelglow/graphviz,MjAbuz/graphviz,BMJHayward/graphviz,kbrock/graphviz,tkelman/graphviz,MjAbuz/graphviz,jho1965us/graphviz,MjAbuz/graphviz,ellson/graphviz,tkelman/graphviz,tkelman/graphviz,ellson/graphviz,jho1965us/graphviz,MjAbuz/graphviz,pixelglow/graphviz,pixelglow/graphviz,BMJHayward/graphviz,tkelman/graphviz,ellson/graphviz,MjAbuz/graphviz,jho1965us/graphviz,kbrock/graphviz,jho1965us/graphviz,jho1965us/graphviz,BMJHayward/graphviz,tkelman/graphviz,kbrock/graphviz,ellson/graphviz,jho1965us/graphviz,BMJHayward/graphviz,MjAbuz/graphviz,BMJHayward/graphviz,kbrock/graphviz,ellson/graphviz,ellson/graphviz,pixelglow/graphviz,pixelglow/graphviz,jho1965us/graphviz,ellson/graphviz,ellson/graphviz,ellson/graphviz,BMJHayward/graphviz,kbrock/graphviz,jho1965us/graphviz,MjAbuz/graphviz,kbrock/graphviz,pixelglow/graphviz,MjAbuz/graphviz,MjAbuz/graphviz,BMJHayward/graphviz,tkelman/graphviz,ellson/graphviz,kbrock/graphviz,jho1965us/graphviz,BMJHayward/graphviz,pixelglow/graphviz,tkelman/graphviz,tkelman/graphviz,tkelman/graphviz,jho1965us/graphviz,kbrock/graphviz,pixelglow/graphviz,pixelglow/graphviz,tkelman/graphviz,BMJHayward/graphviz,MjAbuz/graphviz,BMJHayward/graphviz,kbrock/graphviz,ellson/graphviz,BMJHayward/graphviz,jho1965us/graphviz,MjAbuz/graphviz,kbrock/graphviz,pixelglow/graphviz,tkelman/graphviz,pixelglow/graphviz |
03888f30421578b58039eec720ed31061f9d0205 | libyaul/scu/bus/cpu/cpu_slave.c | libyaul/scu/bus/cpu/cpu_slave.c | /*
* Copyright (c) 2012-2016
* See LICENSE for details.
*
* Israel Jacquez <[email protected]
*/
#include <sys/cdefs.h>
#include <smpc/smc.h>
#include <cpu/instructions.h>
#include <cpu/frt.h>
#include <cpu/intc.h>
#include <cpu/map.h>
#include <cpu/slave.h>
static void _slave_entry(void);
static void _default_entry(void);
static void (*_entry)(void) = _default_entry;
void
cpu_slave_init(void)
{
smpc_smc_sshoff_call();
cpu_slave_entry_clear();
cpu_intc_ihr_set(INTC_INTERRUPT_SLAVE_ENTRY, _slave_entry);
smpc_smc_sshon_call();
}
void
cpu_slave_entry_set(void (*entry)(void))
{
_entry = (entry != NULL) ? entry : _default_entry;
}
static void
_slave_entry(void)
{
while (true) {
while (((cpu_frt_status_get()) & FRTCS_ICF) == 0x00);
cpu_frt_control_chg((uint8_t)~FRTCS_ICF);
_entry();
}
}
static void
_default_entry(void)
{
}
| /*
* Copyright (c) 2012-2016
* See LICENSE for details.
*
* Israel Jacquez <[email protected]
*/
#include <sys/cdefs.h>
#include <smpc/smc.h>
#include <cpu/instructions.h>
#include <cpu/frt.h>
#include <cpu/intc.h>
#include <cpu/map.h>
#include <cpu/slave.h>
static void _slave_entry(void);
static void _default_entry(void);
static void (*_entry)(void) = _default_entry;
void
cpu_slave_init(void)
{
smpc_smc_sshoff_call();
cpu_slave_entry_clear();
cpu_intc_ihr_set(INTC_INTERRUPT_SLAVE_ENTRY, _slave_entry);
smpc_smc_sshon_call();
}
void
cpu_slave_entry_set(void (*entry)(void))
{
_entry = (entry != NULL) ? entry : _default_entry;
}
static void __noreturn
_slave_entry(void)
{
while (true) {
while (((cpu_frt_status_get()) & FRTCS_ICF) == 0x00);
cpu_frt_control_chg((uint8_t)~FRTCS_ICF);
_entry();
}
}
static void
_default_entry(void)
{
}
| Mark _slave_entry to never return | Mark _slave_entry to never return
| C | mit | ijacquez/libyaul,ijacquez/libyaul,ijacquez/libyaul,ijacquez/libyaul |
cd017fbdd33f2d8294b0e0324faa1dc7750b4af0 | include/linux/ds1742rtc.h | include/linux/ds1742rtc.h | /*
* ds1742rtc.h - register definitions for the Real-Time-Clock / CMOS RAM
*
* Copyright (C) 1999-2001 Toshiba Corporation
* Copyright (C) 2003 Ralf Baechle ([email protected])
*
* Permission is hereby granted to copy, modify and redistribute this code
* in terms of the GNU Library General Public License, Version 2 or later,
* at your option.
*/
#ifndef __LINUX_DS1742RTC_H
#define __LINUX_DS1742RTC_H
#include <asm/ds1742.h>
#define RTC_BRAM_SIZE 0x800
#define RTC_OFFSET 0x7f8
/*
* Register summary
*/
#define RTC_CONTROL (RTC_OFFSET + 0)
#define RTC_CENTURY (RTC_OFFSET + 0)
#define RTC_SECONDS (RTC_OFFSET + 1)
#define RTC_MINUTES (RTC_OFFSET + 2)
#define RTC_HOURS (RTC_OFFSET + 3)
#define RTC_DAY (RTC_OFFSET + 4)
#define RTC_DATE (RTC_OFFSET + 5)
#define RTC_MONTH (RTC_OFFSET + 6)
#define RTC_YEAR (RTC_OFFSET + 7)
#define RTC_CENTURY_MASK 0x3f
#define RTC_SECONDS_MASK 0x7f
#define RTC_DAY_MASK 0x07
/*
* Bits in the Control/Century register
*/
#define RTC_WRITE 0x80
#define RTC_READ 0x40
/*
* Bits in the Seconds register
*/
#define RTC_STOP 0x80
/*
* Bits in the Day register
*/
#define RTC_BATT_FLAG 0x80
#define RTC_FREQ_TEST 0x40
#endif /* __LINUX_DS1742RTC_H */
| Add definitions for the Dallas DS1742 RTC / non-volatile memory. | Add definitions for the Dallas DS1742 RTC / non-volatile memory.
Signed-off-by: Ralf Baechle <[email protected]>
| C | apache-2.0 | TeamVee-Kanas/android_kernel_samsung_kanas,TeamVee-Kanas/android_kernel_samsung_kanas,TeamVee-Kanas/android_kernel_samsung_kanas,KristFoundation/Programs,TeamVee-Kanas/android_kernel_samsung_kanas,KristFoundation/Programs,TeamVee-Kanas/android_kernel_samsung_kanas,KristFoundation/Programs,KristFoundation/Programs,KristFoundation/Programs,KristFoundation/Programs |
|
f24d87c7337579bf4234af5bf89b1f9b17363afc | test/CFrontend/2007-04-17-ZeroSizeBitFields.c | test/CFrontend/2007-04-17-ZeroSizeBitFields.c | ; PR 1332
; RUN: %llvmgcc %s -S -o /dev/null
struct Z { int a:1; int :0; int c:1; } z;
| // PR 1332
// RUN: %llvmgcc %s -S -o /dev/null
struct Z { int a:1; int :0; int c:1; } z;
| Use // not ; since this is C. | Use // not ; since this is C.
git-svn-id: 0ff597fd157e6f4fc38580e8d64ab130330d2411@36219 91177308-0d34-0410-b5e6-96231b3b80d8
| C | apache-2.0 | apple/swift-llvm,chubbymaggie/asap,llvm-mirror/llvm,dslab-epfl/asap,dslab-epfl/asap,GPUOpen-Drivers/llvm,GPUOpen-Drivers/llvm,GPUOpen-Drivers/llvm,llvm-mirror/llvm,chubbymaggie/asap,llvm-mirror/llvm,chubbymaggie/asap,chubbymaggie/asap,llvm-mirror/llvm,dslab-epfl/asap,apple/swift-llvm,GPUOpen-Drivers/llvm,dslab-epfl/asap,apple/swift-llvm,dslab-epfl/asap,llvm-mirror/llvm,chubbymaggie/asap,apple/swift-llvm,apple/swift-llvm,GPUOpen-Drivers/llvm,GPUOpen-Drivers/llvm,GPUOpen-Drivers/llvm,llvm-mirror/llvm,chubbymaggie/asap,dslab-epfl/asap,GPUOpen-Drivers/llvm,dslab-epfl/asap,apple/swift-llvm,apple/swift-llvm,llvm-mirror/llvm,apple/swift-llvm,llvm-mirror/llvm,llvm-mirror/llvm |
1e7780610468211cceb4483beea45aa7c850834e | chrome/browser/ui/views/toolbar/wrench_menu_observer.h | chrome/browser/ui/views/toolbar/wrench_menu_observer.h | // Copyright 2013 The Chromium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef CHROME_BROWSER_UI_VIEWS_TOOLBAR_WRENCH_MENU_OBSERVER_H_
#define CHROME_BROWSER_UI_VIEWS_TOOLBAR_WRENCH_MENU_OBSERVER_H_
// TODO(gbillock): Make this an inner class of WrenchMenu. (even needed?)
class WrenchMenuObserver {
public:
// Invoked when the WrenchMenu is about to be destroyed (from its destructor).
virtual void WrenchMenuDestroyed() = 0;
protected:
virtual ~WrenchMenuObserver() {}
};
#endif // CHROME_BROWSER_UI_VIEWS_TOOLBAR_WRENCH_MENU_OBSERVER_H_
| // Copyright 2013 The Chromium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef CHROME_BROWSER_UI_VIEWS_TOOLBAR_WRENCH_MENU_OBSERVER_H_
#define CHROME_BROWSER_UI_VIEWS_TOOLBAR_WRENCH_MENU_OBSERVER_H_
class WrenchMenuObserver {
public:
// Invoked when the WrenchMenu is about to be destroyed (from its destructor).
virtual void WrenchMenuDestroyed() = 0;
protected:
virtual ~WrenchMenuObserver() {}
};
#endif // CHROME_BROWSER_UI_VIEWS_TOOLBAR_WRENCH_MENU_OBSERVER_H_
| Remove TODO about making WrenchMenuObserver an inner class of WrenchMenu. | Remove TODO about making WrenchMenuObserver an inner class of WrenchMenu.
Chromium code style says:
"Prefer putting delegate classes in their own header files. Implementors
of the
delegate interface will often be included elsewhere, which will often
cause more
coupling with the header of the main class."
http://www.chromium.org/developers/coding-style - Code formatting
section
BUG=None
[email protected]
NOTRY=true
Review URL: https://codereview.chromium.org/118623003
git-svn-id: de016e52bd170d2d4f2344f9bf92d50478b649e0@244848 0039d316-1c4b-4281-b951-d872f2087c98
| C | bsd-3-clause | PeterWangIntel/chromium-crosswalk,ChromiumWebApps/chromium,M4sse/chromium.src,crosswalk-project/chromium-crosswalk-efl,anirudhSK/chromium,jaruba/chromium.src,Chilledheart/chromium,crosswalk-project/chromium-crosswalk-efl,Jonekee/chromium.src,littlstar/chromium.src,PeterWangIntel/chromium-crosswalk,fujunwei/chromium-crosswalk,Pluto-tv/chromium-crosswalk,M4sse/chromium.src,hgl888/chromium-crosswalk,ondra-novak/chromium.src,chuan9/chromium-crosswalk,jaruba/chromium.src,Just-D/chromium-1,ondra-novak/chromium.src,markYoungH/chromium.src,Chilledheart/chromium,patrickm/chromium.src,chuan9/chromium-crosswalk,littlstar/chromium.src,Fireblend/chromium-crosswalk,Chilledheart/chromium,jaruba/chromium.src,chuan9/chromium-crosswalk,Chilledheart/chromium,Jonekee/chromium.src,mohamed--abdel-maksoud/chromium.src,Jonekee/chromium.src,chuan9/chromium-crosswalk,dednal/chromium.src,bright-sparks/chromium-spacewalk,M4sse/chromium.src,mohamed--abdel-maksoud/chromium.src,mohamed--abdel-maksoud/chromium.src,littlstar/chromium.src,anirudhSK/chromium,mohamed--abdel-maksoud/chromium.src,M4sse/chromium.src,Just-D/chromium-1,Jonekee/chromium.src,markYoungH/chromium.src,krieger-od/nwjs_chromium.src,jaruba/chromium.src,ltilve/chromium,krieger-od/nwjs_chromium.src,dednal/chromium.src,PeterWangIntel/chromium-crosswalk,Chilledheart/chromium,fujunwei/chromium-crosswalk,axinging/chromium-crosswalk,hgl888/chromium-crosswalk-efl,jaruba/chromium.src,ondra-novak/chromium.src,hgl888/chromium-crosswalk-efl,krieger-od/nwjs_chromium.src,dushu1203/chromium.src,bright-sparks/chromium-spacewalk,anirudhSK/chromium,axinging/chromium-crosswalk,Just-D/chromium-1,fujunwei/chromium-crosswalk,ChromiumWebApps/chromium,mohamed--abdel-maksoud/chromium.src,jaruba/chromium.src,hgl888/chromium-crosswalk-efl,mohamed--abdel-maksoud/chromium.src,fujunwei/chromium-crosswalk,dushu1203/chromium.src,Pluto-tv/chromium-crosswalk,mohamed--abdel-maksoud/chromium.src,M4sse/chromium.src,PeterWangIntel/chromium-crosswalk,littlstar/chromium.src,axinging/chromium-crosswalk,ondra-novak/chromium.src,crosswalk-project/chromium-crosswalk-efl,anirudhSK/chromium,Fireblend/chromium-crosswalk,TheTypoMaster/chromium-crosswalk,ltilve/chromium,axinging/chromium-crosswalk,anirudhSK/chromium,dushu1203/chromium.src,anirudhSK/chromium,Just-D/chromium-1,Jonekee/chromium.src,markYoungH/chromium.src,ltilve/chromium,hgl888/chromium-crosswalk-efl,ondra-novak/chromium.src,TheTypoMaster/chromium-crosswalk,M4sse/chromium.src,PeterWangIntel/chromium-crosswalk,fujunwei/chromium-crosswalk,markYoungH/chromium.src,Jonekee/chromium.src,markYoungH/chromium.src,crosswalk-project/chromium-crosswalk-efl,M4sse/chromium.src,krieger-od/nwjs_chromium.src,PeterWangIntel/chromium-crosswalk,Just-D/chromium-1,patrickm/chromium.src,Chilledheart/chromium,chuan9/chromium-crosswalk,dednal/chromium.src,mohamed--abdel-maksoud/chromium.src,Fireblend/chromium-crosswalk,hgl888/chromium-crosswalk,TheTypoMaster/chromium-crosswalk,anirudhSK/chromium,dushu1203/chromium.src,PeterWangIntel/chromium-crosswalk,dushu1203/chromium.src,patrickm/chromium.src,ondra-novak/chromium.src,hgl888/chromium-crosswalk-efl,Chilledheart/chromium,dednal/chromium.src,crosswalk-project/chromium-crosswalk-efl,chuan9/chromium-crosswalk,Pluto-tv/chromium-crosswalk,axinging/chromium-crosswalk,patrickm/chromium.src,hgl888/chromium-crosswalk,M4sse/chromium.src,mohamed--abdel-maksoud/chromium.src,crosswalk-project/chromium-crosswalk-efl,Chilledheart/chromium,fujunwei/chromium-crosswalk,Pluto-tv/chromium-crosswalk,krieger-od/nwjs_chromium.src,Jonekee/chromium.src,TheTypoMaster/chromium-crosswalk,hgl888/chromium-crosswalk,ChromiumWebApps/chromium,Fireblend/chromium-crosswalk,Pluto-tv/chromium-crosswalk,ChromiumWebApps/chromium,ChromiumWebApps/chromium,markYoungH/chromium.src,dednal/chromium.src,ChromiumWebApps/chromium,dushu1203/chromium.src,crosswalk-project/chromium-crosswalk-efl,TheTypoMaster/chromium-crosswalk,M4sse/chromium.src,Fireblend/chromium-crosswalk,dushu1203/chromium.src,littlstar/chromium.src,ondra-novak/chromium.src,ChromiumWebApps/chromium,dednal/chromium.src,dushu1203/chromium.src,markYoungH/chromium.src,markYoungH/chromium.src,ChromiumWebApps/chromium,dednal/chromium.src,ChromiumWebApps/chromium,anirudhSK/chromium,dushu1203/chromium.src,anirudhSK/chromium,hgl888/chromium-crosswalk,bright-sparks/chromium-spacewalk,hgl888/chromium-crosswalk-efl,bright-sparks/chromium-spacewalk,axinging/chromium-crosswalk,axinging/chromium-crosswalk,anirudhSK/chromium,ondra-novak/chromium.src,axinging/chromium-crosswalk,ltilve/chromium,hgl888/chromium-crosswalk-efl,littlstar/chromium.src,dednal/chromium.src,bright-sparks/chromium-spacewalk,patrickm/chromium.src,bright-sparks/chromium-spacewalk,Fireblend/chromium-crosswalk,Just-D/chromium-1,hgl888/chromium-crosswalk,chuan9/chromium-crosswalk,Just-D/chromium-1,patrickm/chromium.src,hgl888/chromium-crosswalk-efl,mohamed--abdel-maksoud/chromium.src,hgl888/chromium-crosswalk-efl,Jonekee/chromium.src,jaruba/chromium.src,hgl888/chromium-crosswalk,mohamed--abdel-maksoud/chromium.src,krieger-od/nwjs_chromium.src,axinging/chromium-crosswalk,krieger-od/nwjs_chromium.src,axinging/chromium-crosswalk,littlstar/chromium.src,ltilve/chromium,PeterWangIntel/chromium-crosswalk,patrickm/chromium.src,hgl888/chromium-crosswalk,jaruba/chromium.src,Just-D/chromium-1,anirudhSK/chromium,Pluto-tv/chromium-crosswalk,hgl888/chromium-crosswalk,markYoungH/chromium.src,patrickm/chromium.src,bright-sparks/chromium-spacewalk,ltilve/chromium,Jonekee/chromium.src,TheTypoMaster/chromium-crosswalk,ltilve/chromium,markYoungH/chromium.src,TheTypoMaster/chromium-crosswalk,jaruba/chromium.src,anirudhSK/chromium,Pluto-tv/chromium-crosswalk,M4sse/chromium.src,Jonekee/chromium.src,ChromiumWebApps/chromium,jaruba/chromium.src,chuan9/chromium-crosswalk,bright-sparks/chromium-spacewalk,ChromiumWebApps/chromium,Pluto-tv/chromium-crosswalk,fujunwei/chromium-crosswalk,ChromiumWebApps/chromium,dednal/chromium.src,Pluto-tv/chromium-crosswalk,littlstar/chromium.src,Jonekee/chromium.src,axinging/chromium-crosswalk,ltilve/chromium,PeterWangIntel/chromium-crosswalk,ondra-novak/chromium.src,Just-D/chromium-1,jaruba/chromium.src,Fireblend/chromium-crosswalk,ltilve/chromium,hgl888/chromium-crosswalk-efl,patrickm/chromium.src,fujunwei/chromium-crosswalk,krieger-od/nwjs_chromium.src,Fireblend/chromium-crosswalk,bright-sparks/chromium-spacewalk,TheTypoMaster/chromium-crosswalk,TheTypoMaster/chromium-crosswalk,krieger-od/nwjs_chromium.src,M4sse/chromium.src,krieger-od/nwjs_chromium.src,dushu1203/chromium.src,crosswalk-project/chromium-crosswalk-efl,dushu1203/chromium.src,krieger-od/nwjs_chromium.src,crosswalk-project/chromium-crosswalk-efl,dednal/chromium.src,chuan9/chromium-crosswalk,Fireblend/chromium-crosswalk,dednal/chromium.src,fujunwei/chromium-crosswalk,markYoungH/chromium.src,Chilledheart/chromium |
02a90edb5163e2f6cc07573812b10a0c35ac9e1a | lib/node_modules/@stdlib/strided/common/include/stdlib/strided_typedefs.h | lib/node_modules/@stdlib/strided/common/include/stdlib/strided_typedefs.h | /**
* @license Apache-2.0
*
* Copyright (c) 2018 The Stdlib Authors.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
/**
* Header file containing strided array type definitions.
*/
#ifndef STDLIB_STRIDED_TYPEDEFS_H
#define STDLIB_STRIDED_TYPEDEFS_H
#include "strided_nullary_typedefs.h"
#include "strided_unary_typedefs.h"
#include "strided_binary_typedefs.h"
#include "strided_ternary_typedefs.h"
#include "strided_quaternary_typedefs.h"
#include "strided_quinary_typedefs.h"
#endif // !STDLIB_STRIDED_TYPEDEFS_H
| /**
* @license Apache-2.0
*
* Copyright (c) 2018 The Stdlib Authors.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
/**
* Header file containing strided array type definitions.
*/
#ifndef STDLIB_STRIDED_TYPEDEFS_H
#define STDLIB_STRIDED_TYPEDEFS_H
// Note: keep in alphabetical order...
#include "strided_binary_typedefs.h"
#include "strided_nullary_typedefs.h"
#include "strided_quaternary_typedefs.h"
#include "strided_quinary_typedefs.h"
#include "strided_ternary_typedefs.h"
#include "strided_unary_typedefs.h"
#endif // !STDLIB_STRIDED_TYPEDEFS_H
| Sort includes in alphabetical order | Sort includes in alphabetical order
| C | apache-2.0 | stdlib-js/stdlib,stdlib-js/stdlib,stdlib-js/stdlib,stdlib-js/stdlib,stdlib-js/stdlib,stdlib-js/stdlib,stdlib-js/stdlib,stdlib-js/stdlib |
9eee01fbf75809926f382627f787b8c1a6427d32 | include/truffle.h | include/truffle.h | /*
* Copyright (c) 2016, Oracle and/or its affiliates.
*
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification, are
* permitted provided that the following conditions are met:
*
* 1. Redistributions of source code must retain the above copyright notice, this list of
* conditions and the following disclaimer.
*
* 2. Redistributions in binary form must reproduce the above copyright notice, this list of
* conditions and the following disclaimer in the documentation and/or other materials provided
* with the distribution.
*
* 3. Neither the name of the copyright holder nor the names of its contributors may be used to
* endorse or promote products derived from this software without specific prior written
* permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS
* OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF
* MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE
* COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL,
* EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE
* GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED
* AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING
* NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED
* OF THE POSSIBILITY OF SUCH DAMAGE.
*/
#ifndef TRUFFLE_H
#define TRUFFLE_H
#if defined(__cplusplus)
extern "C" {
#endif
#include <stdbool.h>
void *truffle_import(const char *name);
void truffle_export(const char *name, void *value);
bool truffle_is_executable(void *object);
void *truffle_execute(void *object, ...);
void *truffle_invoke(void *object, const char *name, ...);
bool truffle_has_size(void *object);
void *truffle_get_size(void *object);
bool truffle_is_boxed(void *object);
void *truffle_unbox(void *object);
bool truffle_is_null(void *object);
void *truffle_read(void *object, void *name);
void truffle_write(void *object, void *name, void *value);
#if defined(__cplusplus)
}
#endif
#endif
| Define a potential header for interop functions | Define a potential header for interop functions
| C | bsd-3-clause | grimmerm/sulong,lxp/sulong,crbb/sulong,grimmerm/sulong,grimmerm/sulong,PrinzKatharina/sulong,PrinzKatharina/sulong,lxp/sulong,crbb/sulong,crbb/sulong,PrinzKatharina/sulong,crbb/sulong,lxp/sulong,lxp/sulong,grimmerm/sulong,PrinzKatharina/sulong |
|
187c563b60469d413611bb22cf7613b30087b203 | src/core/include/mwsrqueue.h | src/core/include/mwsrqueue.h | #pragma once
#include <mutex>
#include "throw_assert.h"
#include <pair>
#include <utility>
namespace Core {
// Simple multiple writer siingle reader queue implementation with infinite growth
template <class Collection>
class MWSRQueue {
public:
using T = Collection::value_type;
void push_back(T&& it) {
{
std::unique_lock lock(_mx);
coll.push_back(std::move(it));
}
waitrd.notify_one();
}
std::pair<bool, T> pop_front() {
std::unique_lock lock(_mx);
while (!coll.size() && !_killFlag)
waitrd.wait(lock);
if (_killFlag)
return {false, T()};
throw_assert(coll.size() > 0, "There should be at least one element in the queue");
T ret = std::move(coll.front());
coll.pop_front();
lock.unlock();
return {true, std::move(ret)};
}
void kill() {
{
std::unique_lock lock(_mx);
_killFlag = true;
}
waitrd.notify_all();
}
private:
std::mutex _mx;
std::condition_variable _waitrd;
Collection _coll;
bool _killFlag = false;
};
}
| Implement a simple queue for network events | Implement a simple queue for network events | C | apache-2.0 | RavenX8/osIROSE-new,dev-osrose/osIROSE-new,dev-osrose/osIROSE-new,dev-osrose/osIROSE-new,RavenX8/osIROSE-new,RavenX8/osIROSE-new |
|
4373f87d58c5761ff0a9199741f0d8de4aa2b7a3 | Chapter1/temperatures.c | Chapter1/temperatures.c | #include <stdio.h>
/* print Fahrenheit-Celsius table
for fahr = 0, 20, ..., 300
*/
int main(void)
{
float fahr, celsius;
int lower, upper, step;
lower = 0; // lower limit of temperature table
upper = 300; // upper limit
step = 20; // step size
printf("Fahrenheit-Celsius Table\n\n");
fahr = lower;
while (fahr <= upper) {
celsius = (5.0/9.0) * (fahr-32.0);
printf("%3.0f %6.1f\n", fahr, celsius);
fahr = fahr + step;
}
} | #include <stdio.h>
/* print Fahrenheit-Celsius table
for fahr = 0, 20, ..., 300
*/
// int main(void)
// {
// float fahr, celsius;
// int lower, upper, step;
// lower = 0; // lower limit of temperature table
// upper = 300; // upper limit
// step = 20; // step size
// printf("Fahrenheit-Celsius Table\n\n");
// fahr = lower;
// while (fahr <= upper) {
// celsius = (5.0/9.0) * (fahr-32.0);
// printf("%3.0f %6.1f\n", fahr, celsius);
// fahr = fahr + step;
// }
// }
int main(void)
{
for(int fahr = 0; fahr <= 300; fahr = fahr + 20)
{
printf("%3d %6.1f\n", fahr, (5.0/9.0) * (fahr-32));
}
} | Implement temperature program with a for loop | Implement temperature program with a for loop
| C | mit | Kunal57/C_Problems,Kunal57/C_Problems |
a1ec514adc224359043f267df88bf3dc07acb6b3 | lcm-lua/init.c | lcm-lua/init.c | #ifdef __cplusplus
extern "C" {
#endif
#include "lua.h"
#ifdef __cplusplus
}
#endif
#include "lualcm_lcm.h"
#include "lualcm_hash.h"
#include "lualcm_pack.h"
int luaopen_lcm_lcm(lua_State* L) {
ll_lcm_makemetatable(L);
ll_lcm_register_new(L);
return 1;
}
int luaopen_lcm__hash(lua_State* L) {
ll_hash_makemetatable(L);
ll_hash_register_new(L);
return 1;
}
int luaopen_lcm__pack(lua_State* L) {
ll_pack_register(L);
return 1;
}
int luaopen_lcm(lua_State* L) {
lua_newtable(L);
lua_pushstring(L, "lcm");
luaopen_lcm_lcm(L);
lua_rawset(L, -3);
lua_pushstring(L, "_hash");
luaopen_lcm__hash(L);
lua_rawset(L, -3);
lua_pushstring(L, "_pack");
luaopen_lcm__pack(L);
lua_rawset(L, -3);
return 1;
}
| #ifdef __cplusplus
extern "C" {
#endif
#include "lua.h"
#ifdef __cplusplus
}
#endif
#include "lualcm_lcm.h"
#include "lualcm_hash.h"
#include "lualcm_pack.h"
int luaopen_lcm_lcm(lua_State* L) {
ll_lcm_makemetatable(L);
ll_lcm_register_new(L);
return 1;
}
int luaopen_lcm__hash(lua_State* L) {
ll_hash_makemetatable(L);
ll_hash_register_new(L);
return 1;
}
int luaopen_lcm__pack(lua_State* L) {
ll_pack_register(L);
return 1;
}
#if defined(_WIN32)
__declspec(dllexport)
#elif __GNUC__ >= 4 || defined(__clang__)
__attribute__((visibility ("default")))
#endif
int luaopen_lcm(lua_State* L) {
lua_newtable(L);
lua_pushstring(L, "lcm");
luaopen_lcm_lcm(L);
lua_rawset(L, -3);
lua_pushstring(L, "_hash");
luaopen_lcm__hash(L);
lua_rawset(L, -3);
lua_pushstring(L, "_pack");
luaopen_lcm__pack(L);
lua_rawset(L, -3);
return 1;
}
| Fix export decoration of Lua module | Fix export decoration of Lua module
Add missing export decoration for Lua module entry point. This fixes the
Lua module that stopped working when ELF hidden visibility was enabled.
(I'm not sure about Windows, as I don't have Lua on Windows, but I
suspect it never worked on Windows.)
| C | lgpl-2.1 | lcm-proj/lcm,adeschamps/lcm,adeschamps/lcm,bluesquall/lcm,lcm-proj/lcm,adeschamps/lcm,bluesquall/lcm,lcm-proj/lcm,adeschamps/lcm,adeschamps/lcm,lcm-proj/lcm,bluesquall/lcm,adeschamps/lcm,lcm-proj/lcm,adeschamps/lcm,lcm-proj/lcm,lcm-proj/lcm,bluesquall/lcm,adeschamps/lcm,bluesquall/lcm,lcm-proj/lcm,bluesquall/lcm,bluesquall/lcm |
a34e8ff7a88128234c647074f588ea87435a9fd9 | PhotoWheel/SendEmailController.h | PhotoWheel/SendEmailController.h | //
// SendEmailController.h
// PhotoWheel
//
// Created by Kirby Turner on 12/11/12.
// Copyright (c) 2012 White Peak Software Inc. All rights reserved.
//
#import <Foundation/Foundation.h>
#import <MessageUI/MessageUI.h>
#import <MessageUI/MFMailComposeViewController.h>
@protocol SendEmailControllerDelegate;
@interface SendEmailController : NSObject <MFMailComposeViewControllerDelegate>
@property (nonatomic, strong) UIViewController<SendEmailControllerDelegate> *viewController;
@property (nonatomic, strong) NSSet *photos;
- (id)initWithViewController:(UIViewController<SendEmailControllerDelegate> *)viewController;
- (void)sendEmail;
+ (BOOL)canSendMail;
@end
@protocol SendEmailControllerDelegate <NSObject>
@required
- (void)sendEmailControllerDidFinish:(SendEmailController *)controller;
@end
| //
// SendEmailController.h
// PhotoWheel
//
// Created by Kirby Turner on 12/11/12.
// Copyright (c) 2012 White Peak Software Inc. All rights reserved.
//
#import <Foundation/Foundation.h>
#import <MessageUI/MessageUI.h>
#import <MessageUI/MFMailComposeViewController.h>
@protocol SendEmailControllerDelegate;
@interface SendEmailController : NSObject <MFMailComposeViewControllerDelegate>
@property (nonatomic, weak) UIViewController<SendEmailControllerDelegate> *viewController;
@property (nonatomic, strong) NSSet *photos;
- (id)initWithViewController:(UIViewController<SendEmailControllerDelegate> *)viewController;
- (void)sendEmail;
+ (BOOL)canSendMail;
@end
@protocol SendEmailControllerDelegate <NSObject>
@required
- (void)sendEmailControllerDidFinish:(SendEmailController *)controller;
@end
| Change from strong to weak. | Change from strong to weak.
| C | mit | kirbyt/PhotoWheel,kirbyt/PhotoWheel |
48690020234cdbfc29eeff7c466540cdb81ac4ea | SRC/GEP/TestData.h | SRC/GEP/TestData.h | #ifndef TESTDATA_H
#define TESTDATA_H
////////////////////////////////////////////////////////////
// Headers
////////////////////////////////////////////////////////////
#include "Node.h"
#include <vector>
namespace GEP
{
////////////////////////////////////////////////////////////
/// \brief TestData is data to test expression and calculate fitness.
///
////////////////////////////////////////////////////////////
struct TestData
{
std::vector<float> variable;
int result;
};
float CalculFitnessFrom(TestData & testData,PtrNode root);
} // namespace GEP
#endif // TESTDATA_H
| #ifndef TESTDATA_H
#define TESTDATA_H
////////////////////////////////////////////////////////////
// Headers
////////////////////////////////////////////////////////////
#include "Node.h"
#include <vector>
namespace GEP
{
////////////////////////////////////////////////////////////
/// \brief TestData is data to test expression and calculate fitness.
///
////////////////////////////////////////////////////////////
struct TestData
{
std::vector<float> variable;
float result;
};
float CalculFitnessFrom(TestData & testData,PtrNode root);
} // namespace GEP
#endif // TESTDATA_H
| Correct bug : result is float, not integer | Correct bug : result is float, not integer
| C | mit | Orwel/GeneExpressionProgramming,Orwel/GeneExpressionProgramming |
a0fa23aab206f03d9f11a2d03b34bc76eeb8f162 | UefiCpuPkg/Include/CpuHotPlugData.h | UefiCpuPkg/Include/CpuHotPlugData.h | /** @file
Definition for a structure sharing information for CPU hot plug.
Copyright (c) 2013 - 2015, Intel Corporation. All rights reserved.<BR>
This program and the accompanying materials
are licensed and made available under the terms and conditions of the BSD License
which accompanies this distribution. The full text of the license may be found at
http://opensource.org/licenses/bsd-license.php
THE PROGRAM IS DISTRIBUTED UNDER THE BSD LICENSE ON AN "AS IS" BASIS,
WITHOUT WARRANTIES OR REPRESENTATIONS OF ANY KIND, EITHER EXPRESS OR IMPLIED.
**/
#ifndef _CPU_HOT_PLUG_DATA_H_
#define _CPU_HOT_PLUG_DATA_H_
#define CPU_HOT_PLUG_DATA_REVISION_1 0x00000001
typedef struct {
UINT32 Revision; // Used for version identification for this structure
UINT32 ArrayLength; // The entries number of the following ApicId array and SmBase array
//
// Data required for SMBASE relocation
//
UINT64 *ApicId; // Pointer to ApicId array
UINTN *SmBase; // Pointer to SmBase array
UINT32 Reserved;
UINT32 SmrrBase;
UINT32 SmrrSize;
} CPU_HOT_PLUG_DATA;
#endif
| Add CPU Hot Plug Data include file | UefiCpuPkg: Add CPU Hot Plug Data include file
Add CpuHotPlugData.h that defines a data structure that is shared between
modules and is required for to support hot plug CPUs.
Contributed-under: TianoCore Contribution Agreement 1.0
Signed-off-by: Michael Kinney <[email protected]>
Reviewed-by: Jeff Fan <[email protected]>
git-svn-id: 3158a46dfd52e07d1fda3e32e1ab2e353a00b20f@18643 6f19259b-4bc3-4df7-8a09-765794883524
| C | bsd-2-clause | MattDevo/edk2,MattDevo/edk2,MattDevo/edk2,MattDevo/edk2,MattDevo/edk2,MattDevo/edk2,MattDevo/edk2,MattDevo/edk2 |
|
dfda6fe8550bbdbf1176c76cdbc943cc5a6dec86 | cc1/tests/test027.c | cc1/tests/test027.c |
/*
name: TEST027
description: Test of cpp stringizer
output:
F2
G3 F2 main
{
\
A5 P p
A5 "68656C6C6F20697320626574746572207468616E20627965 'P :P
r A5 @K gK
}
*/
#define x(y) #y
int
main(void)
{
char *p;
p = x(hello) " is better than bye";
return *p;
}
| Add basic test for macro argument stringizer | Add basic test for macro argument stringizer
| C | mit | k0gaMSX/kcc,8l/scc,k0gaMSX/scc,k0gaMSX/scc,8l/scc,k0gaMSX/scc,k0gaMSX/kcc,8l/scc |
|
772e45ac76879b551a219c3d13c72cb2fcdd030a | Pod/Classes/Clappr.h | Pod/Classes/Clappr.h | #ifndef Pods_Clappr_h
#define Pods_Clappr_h
#import <Foundation/Foundation.h>
#import <Clappr/Player.h>
#import <Clappr/CLPBaseObject.h>
#import <Clappr/CLPUIObject.h>
#import <Clappr/CLPContainer.h>
#import <Clappr/CLPPlayback.h>
#import <Clappr/CLPMediaControl.h>
#import <Clappr/CLPCore.h>
#import <Clappr/CLPPlayer.h>
#import <Clappr/CLPScrubberView.h>
#endif
| #ifndef Pods_Clappr_h
#define Pods_Clappr_h
// System
#import <Foundation/Foundation.h>
//TODO To be excluded
#import <Clappr/Player.h>
// Core
#import <Clappr/CLPBaseObject.h>
#import <Clappr/CLPUIObject.h>
#import <Clappr/CLPContainer.h>
#import <Clappr/CLPPlayback.h>
#import <Clappr/CLPMediaControl.h>
#import <Clappr/CLPCore.h>
#import <Clappr/CLPPlayer.h>
// Components
#import <Clappr/CLPLoader.h>
// Plugins
#import <Clappr/CLPAVFoundationPlayback.h>
// Views
#import <Clappr/CLPScrubberView.h>
#endif
| Add Loader and AVFoundation playback to clappr base header. | Add Loader and AVFoundation playback to clappr base header.
| C | bsd-3-clause | barbosa/clappr-ios,barbosa/clappr-ios,clappr/clappr-ios,clappr/clappr-ios,clappr/clappr-ios |
08dc34df72898761e2da9c3ccdf6a7592eb8c7bf | src/exercise210.c | src/exercise210.c | /*
* A solution to Exercise 2-3 in The C Programming Language (Second Edition).
*
* This file was written by Damien Dart, <[email protected]>. This is free
* and unencumbered software released into the public domain. For more
* information, please refer to the accompanying "UNLICENCE" file.
*/
#include <stdint.h>
#include <stdio.h>
#include <stdlib.h>
int16_t lower(int16_t);
int main(void)
{
int16_t character;
while((character = getchar()) != EOF) {
putchar(lower(character));
}
return EXIT_SUCCESS;
}
int16_t lower(int16_t character)
{
return (character >= 'A' && character <= 'Z') ? character + 'a' - 'A' : character;
}
| /*
* A solution to Exercise 2-10 in The C Programming Language (Second Edition).
*
* This file was written by Damien Dart, <[email protected]>. This is free
* and unencumbered software released into the public domain. For more
* information, please refer to the accompanying "UNLICENCE" file.
*/
#include <stdint.h>
#include <stdio.h>
#include <stdlib.h>
int16_t lower(int16_t);
int main(void)
{
int16_t character;
while((character = getchar()) != EOF) {
putchar(lower(character));
}
return EXIT_SUCCESS;
}
int16_t lower(int16_t character)
{
return (character >= 'A' && character <= 'Z') ? character + 'a' - 'A' : character;
}
| Purge tabs and fix a comment. | Purge tabs and fix a comment.
| C | unlicense | damiendart/knr-solutions,damiendart/knr-solutions,damiendart/knr-solutions |
62e18306de090b7bd20f6aa561be1f47406a2414 | qrenderdoc/Code/RenderManager.h | qrenderdoc/Code/RenderManager.h | #ifndef RENDERMANAGER_H
#define RENDERMANAGER_H
#include <QMutex>
#include <QQueue>
#include <QString>
#include <QThread>
#include <QWaitCondition>
#include <functional>
#include "renderdoc_replay.h"
struct IReplayRenderer;
class LambdaThread;
class RenderManager
{
public:
typedef std::function<void(IReplayRenderer *)> InvokeMethod;
RenderManager();
~RenderManager();
void Init(int proxyRenderer, QString replayHost, QString logfile, float *progress);
bool IsRunning();
ReplayCreateStatus GetCreateStatus() { return m_CreateStatus; }
void AsyncInvoke(InvokeMethod m);
void BlockInvoke(InvokeMethod m);
void CloseThread();
private:
struct InvokeHandle
{
InvokeHandle(InvokeMethod m)
{
method = m;
processed = false;
selfdelete = true;
}
InvokeMethod method;
bool processed;
bool selfdelete;
};
void run();
QMutex m_RenderLock;
QQueue<InvokeHandle *> m_RenderQueue;
QWaitCondition m_RenderCondition;
void PushInvoke(InvokeHandle *cmd);
int m_ProxyRenderer;
QString m_ReplayHost;
QString m_Logfile;
float *m_Progress;
volatile bool m_Running;
LambdaThread *m_Thread;
ReplayCreateStatus m_CreateStatus;
};
#endif // RENDERMANAGER_H
| #ifndef RENDERMANAGER_H
#define RENDERMANAGER_H
#include <QMutex>
#include <QQueue>
#include <QString>
#include <QThread>
#include <QWaitCondition>
#include <functional>
#include "renderdoc_replay.h"
struct IReplayRenderer;
class LambdaThread;
// simple helper for the common case of 'we just need to run this on the render thread
#define INVOKE_MEMFN(function) \
m_Core->Renderer()->AsyncInvoke([this](IReplayRenderer *) { function(); });
class RenderManager
{
public:
typedef std::function<void(IReplayRenderer *)> InvokeMethod;
RenderManager();
~RenderManager();
void Init(int proxyRenderer, QString replayHost, QString logfile, float *progress);
bool IsRunning();
ReplayCreateStatus GetCreateStatus() { return m_CreateStatus; }
void AsyncInvoke(InvokeMethod m);
void BlockInvoke(InvokeMethod m);
void CloseThread();
private:
struct InvokeHandle
{
InvokeHandle(InvokeMethod m)
{
method = m;
processed = false;
selfdelete = true;
}
InvokeMethod method;
bool processed;
bool selfdelete;
};
void run();
QMutex m_RenderLock;
QQueue<InvokeHandle *> m_RenderQueue;
QWaitCondition m_RenderCondition;
void PushInvoke(InvokeHandle *cmd);
int m_ProxyRenderer;
QString m_ReplayHost;
QString m_Logfile;
float *m_Progress;
volatile bool m_Running;
LambdaThread *m_Thread;
ReplayCreateStatus m_CreateStatus;
};
#endif // RENDERMANAGER_H
| Add a helper macro for simple async render thread invokes | Add a helper macro for simple async render thread invokes
| C | mit | victor-moya/renderdoc,TurtleRockStudios/renderdoc_public,etnlGD/renderdoc,googlestadia/renderdoc,Anteru/renderdoc,etnlGD/renderdoc,TurtleRockStudios/renderdoc_public,Anteru/renderdoc,Velro/renderdoc,Velro/renderdoc,etnlGD/renderdoc,Zorro666/renderdoc,Yours3lf/renderdoc,Yours3lf/renderdoc,cgmb/renderdoc,googlestadia/renderdoc,victor-moya/renderdoc,cgmb/renderdoc,michaelrgb/renderdoc,etnlGD/renderdoc,googlestadia/renderdoc,Anteru/renderdoc,victor-moya/renderdoc,Velro/renderdoc,baldurk/renderdoc,Yours3lf/renderdoc,moradin/renderdoc,Velro/renderdoc,michaelrgb/renderdoc,TurtleRockStudios/renderdoc_public,Lssikkes/renderdoc,moradin/renderdoc,Velro/renderdoc,googlestadia/renderdoc,cgmb/renderdoc,moradin/renderdoc,michaelrgb/renderdoc,victor-moya/renderdoc,Yours3lf/renderdoc,Lssikkes/renderdoc,Zorro666/renderdoc,Lssikkes/renderdoc,baldurk/renderdoc,googlestadia/renderdoc,Zorro666/renderdoc,baldurk/renderdoc,victor-moya/renderdoc,Anteru/renderdoc,victor-moya/renderdoc,Zorro666/renderdoc,baldurk/renderdoc,etnlGD/renderdoc,moradin/renderdoc,baldurk/renderdoc,Yours3lf/renderdoc,Velro/renderdoc,Lssikkes/renderdoc,googlestadia/renderdoc,cgmb/renderdoc,Zorro666/renderdoc,Anteru/renderdoc,Yours3lf/renderdoc,Lssikkes/renderdoc,Anteru/renderdoc,Zorro666/renderdoc,etnlGD/renderdoc,TurtleRockStudios/renderdoc_public,TurtleRockStudios/renderdoc_public,Lssikkes/renderdoc,Anteru/renderdoc,TurtleRockStudios/renderdoc_public,michaelrgb/renderdoc,cgmb/renderdoc,moradin/renderdoc,michaelrgb/renderdoc,moradin/renderdoc,baldurk/renderdoc |
3555739656f0eec99f4f6edb1cedf032c5d1754a | libgo/runtime/go-rec-nb-big.c | libgo/runtime/go-rec-nb-big.c | /* go-rec-nb-big.c -- nonblocking receive of something big on a channel.
Copyright 2009 The Go Authors. All rights reserved.
Use of this source code is governed by a BSD-style
license that can be found in the LICENSE file. */
#include <stdint.h>
#include <assert.h>
#include "channel.h"
_Bool
__go_receive_nonblocking_big (struct __go_channel* channel, void *val)
{
size_t alloc_size;
size_t offset;
alloc_size = ((channel->element_size + sizeof (uint64_t) - 1)
/ sizeof (uint64_t));
int data = __go_receive_nonblocking_acquire (channel);
if (data != RECEIVE_NONBLOCKING_ACQUIRE_DATA)
{
__builtin_memset (val, 0, channel->element_size);
if (data == RECEIVE_NONBLOCKING_ACQUIRE_NODATA)
return 0;
else
{
/* Channel is closed. */
return 1;
}
}
offset = channel->next_store * alloc_size;
__builtin_memcpy (val, &channel->data[offset], channel->element_size);
__go_receive_release (channel);
return 1;
}
| /* go-rec-nb-big.c -- nonblocking receive of something big on a channel.
Copyright 2009 The Go Authors. All rights reserved.
Use of this source code is governed by a BSD-style
license that can be found in the LICENSE file. */
#include <stdint.h>
#include <assert.h>
#include "channel.h"
_Bool
__go_receive_nonblocking_big (struct __go_channel* channel, void *val)
{
size_t alloc_size;
size_t offset;
alloc_size = ((channel->element_size + sizeof (uint64_t) - 1)
/ sizeof (uint64_t));
int data = __go_receive_nonblocking_acquire (channel);
if (data != RECEIVE_NONBLOCKING_ACQUIRE_DATA)
{
__builtin_memset (val, 0, channel->element_size);
if (data == RECEIVE_NONBLOCKING_ACQUIRE_NODATA)
return 0;
else
{
/* Channel is closed. */
return 1;
}
}
offset = channel->next_fetch * alloc_size;
__builtin_memcpy (val, &channel->data[offset], channel->element_size);
__go_receive_release (channel);
return 1;
}
| Correct nonblocking receive of a value larger than 8 bytes. | Correct nonblocking receive of a value larger than 8 bytes.
R=iant
https://golang.org/cl/1743042
| C | bsd-3-clause | qskycolor/gofrontend,anlhord/gofrontend,anlhord/gofrontend,qskycolor/gofrontend,anlhord/gofrontend,golang/gofrontend,qskycolor/gofrontend,qskycolor/gofrontend,anlhord/gofrontend,golang/gofrontend,qskycolor/gofrontend,anlhord/gofrontend,golang/gofrontend,qskycolor/gofrontend,golang/gofrontend,anlhord/gofrontend,anlhord/gofrontend,qskycolor/gofrontend |
8aedf8e81a300dbab13689632b1518826d681529 | src/scoreboard/circular_buffer.h | src/scoreboard/circular_buffer.h | template<class T, size_t S>
class CircularBuffer {
public:
CircularBuffer() : index(0), count(0) {}
void push_item(T item) {
array[index + 1] = item;
index = (index + 1) % S;
count++;
}
T pop_item() {
if (count > 0) {
int old_index = index;
index = index == 0 ? S - 1 : index - 1;
count--;
return array[old_index];
}
}
T peak_item() {
if (count > 0) {
return array[index];
}
}
private:
int index;
int count;
T array[S];
};
| template<class T, size_t S>
class CircularBuffer {
public:
CircularBuffer() : index(0), count(0) {}
void push_item(T item) {
index = (index + 1) % S;
array[index] = item;
if (count < S) count++;
}
T pop_item() {
int old_index = index;
if (count > 0) {
index = index == 0 ? S - 1 : index - 1;
count--;
}
return array[old_index];
}
T peek_item() {
return array[index];
}
private:
int index;
int count;
T array[S];
};
| Fix issues with circular buffer | Fix issues with circular buffer
| C | mit | jvsalo/leditaulu,jvsalo/leditaulu,jvsalo/leditaulu,jvsalo/leditaulu |
397948c76e8c43819702459269451493a2449e4e | PolyMapGenerator/ConvexHull.h | PolyMapGenerator/ConvexHull.h | #ifndef CONVEX_HULL_H
#define CONVEX_HULL_H
#endif | #ifndef CONVEX_HULL_H
#define CONVEX_HULL_H
#include <algorithm>
#include "Structure.h"
#include "Math/Vector2.h"
namespace ConvexHull
{
inline double Cross(const Vector2& O, const Vector2& A, const Vector2& B)
{
return (A.x - O.x) * (B.y - O.y) - (A.y - O.y) * (B.x - O.x);
}
inline std::vector<Corner*> CalculateConvexHull(std::vector<Corner*> P)
{
int n = P.size(), k = 0;
std::vector<Corner*> H(2 * n);
// Sort points lexicographically
sort(P.begin(), P.end(), [](Corner* c1, Corner* c2)
{
return c1->m_position.x < c2->m_position.x || (c1->m_position.x == c2->m_position.x && c1->m_position.y < c2->m_position.y);
});
// Build lower hull
for (int i = 0; i < n; ++i) {
while (k >= 2 && cross(H[k - 2]->m_position, H[k - 1]->m_position, P[i]->m_position) <= 0) k--;
H[k++] = P[i];
}
// Build upper hull
for (int i = n - 2, t = k + 1; i >= 0; i--) {
while (k >= t && cross(H[k - 2]->m_position, H[k - 1]->m_position, P[i]->m_position) <= 0) k--;
H[k++] = P[i];
}
H.resize(k - 1);
return P;
}
};
#endif | Implement some part of convex hull | Implement some part of convex hull
| C | mit | utilForever/PolyMapGenerator |
d5700e91d3254fb3db6a56bc4b243a3e4e1e86a8 | src/ms-error.h | src/ms-error.h | /*
* Copyright (C) 2010 Igalia S.L.
*
* Contact: Iago Toral Quiroga <[email protected]>
*
* This library is free software; you can redistribute it and/or
* modify it under the terms of the GNU Lesser General Public License
* as published by the Free Software Foundation; version 2.1 of
* the License, or (at your option) any later version.
*
* This library is distributed in the hope that it will be useful, but
* WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
* Lesser General Public License for more details.
*
* You should have received a copy of the GNU Lesser General Public
* License along with this library; if not, write to the Free Software
* Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA
* 02110-1301 USA
*
*/
#ifndef _MS_ERROR_H_
#define _MS_ERROR_H_
#define MS_ERROR g_quark_from_static_string("media-store.error.general")
enum {
MS_ERROR_BROWSE_FAILED = 1,
MS_ERROR_SEARCH_FAILED,
MS_ERROR_METADATA_FAILED,
MS_ERROR_MEDIA_NOT_FOUND
};
#endif
| /*
* Copyright (C) 2010 Igalia S.L.
*
* Contact: Iago Toral Quiroga <[email protected]>
*
* This library is free software; you can redistribute it and/or
* modify it under the terms of the GNU Lesser General Public License
* as published by the Free Software Foundation; version 2.1 of
* the License, or (at your option) any later version.
*
* This library is distributed in the hope that it will be useful, but
* WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
* Lesser General Public License for more details.
*
* You should have received a copy of the GNU Lesser General Public
* License along with this library; if not, write to the Free Software
* Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA
* 02110-1301 USA
*
*/
#ifndef _MS_ERROR_H_
#define _MS_ERROR_H_
#define MS_ERROR g_quark_from_static_string("media-store.error.general")
enum {
MS_ERROR_BROWSE_FAILED = 1,
MS_ERROR_SEARCH_FAILED,
MS_ERROR_QUERY_FAILED,
MS_ERROR_METADATA_FAILED,
MS_ERROR_MEDIA_NOT_FOUND
};
#endif
| Add error code for failing query. | Add error code for failing query.
| C | lgpl-2.1 | kyoushuu/grilo,GNOME/grilo,kyoushuu/grilo,kyoushuu/grilo,grilofw/grilo,grilofw/grilo,grilofw/grilo,jasuarez/grilo,kyoushuu/grilo,MathieuDuponchelle/grilo,MathieuDuponchelle/grilo,jasuarez/grilo,MathieuDuponchelle/grilo,GNOME/grilo,jasuarez/grilo |
28273b949da7a786df9f61af51279cf0122de3cc | test/Driver/qa_override.c | test/Driver/qa_override.c | // RUN: env QA_OVERRIDE_GCC3_OPTIONS="#+-Os +-Oz +-O +-O3 +-Oignore +a +b +c xb Xa Omagic ^-ccc-print-options " %clang x -O2 b -O3 2>&1 | FileCheck %s
// RUN: env QA_OVERRIDE_GCC3_OPTIONS="x-Werror +-mfoo" %clang -Werror %s -c 2>&1 | FileCheck %s -check-prefix=RM-WERROR
// FIXME: It seems doesn't work with gcc-driver.
// REQUIRES: clang-driver
// CHECK-NOT: ###
// CHECK: Option 0 - Name: "-ccc-print-options", Values: {}
// CHECK-NEXT: Option 1 - Name: "<input>", Values: {"x"}
// CHECK-NEXT: Option 2 - Name: "-O", Values: {"ignore"}
// CHECK-NEXT: Option 3 - Name: "-O", Values: {"magic"}
// RM-WERROR: ### QA_OVERRIDE_GCC3_OPTIONS: x-Werror +-mfoo
// RM-WERROR-NEXT: ### Deleting argument -Werror
// RM-WERROR-NEXT: ### Adding argument -mfoo at end
// RM-WERROR-NEXT: warning: argument unused during compilation: '-mfoo'
| // RUN: env QA_OVERRIDE_GCC3_OPTIONS="#+-Os +-Oz +-O +-O3 +-Oignore +a +b +c xb Xa Omagic ^-ccc-print-options " %clang x -O2 b -O3 2>&1 | FileCheck %s
// RUN: env QA_OVERRIDE_GCC3_OPTIONS="x-Werror +-mfoo" %clang -Werror %s -c -### 2>&1 | FileCheck %s -check-prefix=RM-WERROR
// CHECK-NOT: ###
// CHECK: Option 0 - Name: "-ccc-print-options", Values: {}
// CHECK-NEXT: Option 1 - Name: "<input>", Values: {"x"}
// CHECK-NEXT: Option 2 - Name: "-O", Values: {"ignore"}
// CHECK-NEXT: Option 3 - Name: "-O", Values: {"magic"}
// RM-WERROR: ### QA_OVERRIDE_GCC3_OPTIONS: x-Werror +-mfoo
// RM-WERROR-NEXT: ### Deleting argument -Werror
// RM-WERROR-NEXT: ### Adding argument -mfoo at end
// RM-WERROR: warning: argument unused during compilation: '-mfoo'
// RM-WERROR-NOT: "-Werror"
| Make this test not try to write on object file and test all of the output rather than just part of it. | Make this test not try to write on object file and test all of the
output rather than just part of it.
Also, remove the frighteningly ancient comment about not working with
the gcc-driver. (!!!)
git-svn-id: ffe668792ed300d6c2daa1f6eba2e0aa28d7ec6c@187376 91177308-0d34-0410-b5e6-96231b3b80d8
| C | apache-2.0 | apple/swift-clang,apple/swift-clang,llvm-mirror/clang,apple/swift-clang,llvm-mirror/clang,apple/swift-clang,llvm-mirror/clang,llvm-mirror/clang,llvm-mirror/clang,llvm-mirror/clang,llvm-mirror/clang,apple/swift-clang,apple/swift-clang,apple/swift-clang,apple/swift-clang,llvm-mirror/clang,apple/swift-clang,apple/swift-clang,llvm-mirror/clang,llvm-mirror/clang |
f8ff178831e639a2d91e0eb03840ee60f3dda1d3 | libgnomeui/gnome-properties.h | libgnomeui/gnome-properties.h | #ifndef GNOME_PROPERTIES_H
#define GNOME_PROPERTIES_H
#include <libgnome/gnome-defs.h>
BEGIN_GNOME_DECLS
END_GNOME_DECLS
#endif
| /* This file is currently empty; I'm going to add new code here soon.
Oct 27 1998. Martin
*/
| Make this an empty file just with a comment in it. | Make this an empty file just with a comment in it.
| C | lgpl-2.1 | Distrotech/libgnomeui,Distrotech/libgnomeui,Distrotech/libgnomeui |
0a32f8a771dac86fe30ac2ee8cce171b4f9ee004 | third-party/lib/openlibm/impl.h | third-party/lib/openlibm/impl.h |
#ifndef _OPENLIB_FINITE_H
#define _OPENLIB_FINITE_H
#include <sys/cdefs.h>
#define __BSD_VISIBLE 1
#include <../../build/extbld/third_party/lib/OpenLibm/install/openlibm_math.h>
static inline int finite(double x) {
return isfinite(x);
}
static inline int finitef(float x) {
return isfinite(x);
}
static inline int finitel(long double x) {
return isfinite(x);
}
#if (defined(__STDC_VERSION__) && __STDC_VERSION__ >= 199901L)
__BEGIN_DECLS
extern long long int llabs(long long int j);
__END_DECLS
#endif
#endif /* _OPENLIB_FINITE_H */
|
#ifndef _OPENLIB_FINITE_H
#define _OPENLIB_FINITE_H
#include <sys/cdefs.h>
#define __BSD_VISIBLE 1
#include <../../build/extbld/third_party/lib/OpenLibm/install/openlibm_math.h>
static inline int finite(double x) {
return isfinite(x);
}
static inline int finitef(float x) {
return isfinite(x);
}
static inline int finitel(long double x) {
return isfinite(x);
}
#endif /* _OPENLIB_FINITE_H */
| Remove llabs declaration from openlibm port | Remove llabs declaration from openlibm port
| C | bsd-2-clause | embox/embox,embox/embox,embox/embox,embox/embox,embox/embox,embox/embox |
a35eb2fedb0ea565c766f4dd55bab2ca866f5cb2 | be/src/util/scope-exit-trigger.h | be/src/util/scope-exit-trigger.h | // Licensed to the Apache Software Foundation (ASF) under one
// or more contributor license agreements. See the NOTICE file
// distributed with this work for additional information
// regarding copyright ownership. The ASF licenses this file
// to you under the Apache License, Version 2.0 (the
// "License"); you may not use this file except in compliance
// with the License. You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing,
// software distributed under the License is distributed on an
// "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
// KIND, either express or implied. See the License for the
// specific language governing permissions and limitations
// under the License.
#ifndef IMPALA_UTIL_SCOPE_EXIT_TRIGGER_H
#define IMPALA_UTIL_SCOPE_EXIT_TRIGGER_H
#include <functional>
namespace impala {
/// Utility class that calls a client-supplied function when it is destroyed.
///
/// Use judiciously - scope exits can be hard to reason about, and this class should not
/// act as proxy for work-performing d'tors, which we try to avoid.
class ScopeExitTrigger {
public:
ScopeExitTrigger(const auto& trigger) : trigger_(trigger) {}
~ScopeExitTrigger() { trigger_(); }
private:
std::function<void()> trigger_;
};
}
#endif
| // Licensed to the Apache Software Foundation (ASF) under one
// or more contributor license agreements. See the NOTICE file
// distributed with this work for additional information
// regarding copyright ownership. The ASF licenses this file
// to you under the Apache License, Version 2.0 (the
// "License"); you may not use this file except in compliance
// with the License. You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing,
// software distributed under the License is distributed on an
// "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
// KIND, either express or implied. See the License for the
// specific language governing permissions and limitations
// under the License.
#ifndef IMPALA_UTIL_SCOPE_EXIT_TRIGGER_H
#define IMPALA_UTIL_SCOPE_EXIT_TRIGGER_H
#include <functional>
namespace impala {
/// Utility class that calls a client-supplied function when it is destroyed.
///
/// Use judiciously - scope exits can be hard to reason about, and this class should not
/// act as proxy for work-performing d'tors, which we try to avoid.
class ScopeExitTrigger {
public:
ScopeExitTrigger(const std::function<void()>& trigger) : trigger_(trigger) {}
~ScopeExitTrigger() { trigger_(); }
private:
std::function<void()> trigger_;
};
}
#endif
| Remove 'auto' from parameter list | IMPALA-4535: Remove 'auto' from parameter list
Although GCC supports void f(auto arg) { }, this isn't part of C++14.
Testing: Local ASAN build passed.
Change-Id: I838aa2c1081f7ed21cc2faa209a9eaa4fd0512a4
Reviewed-on: http://gerrit.cloudera.org:8080/5214
Reviewed-by: Tim Armstrong <[email protected]>
Tested-by: Internal Jenkins
| C | apache-2.0 | cloudera/Impala,michaelhkw/incubator-impala,michaelhkw/incubator-impala,cloudera/Impala,michaelhkw/incubator-impala,cloudera/Impala,cloudera/Impala,cloudera/Impala,cloudera/Impala,michaelhkw/incubator-impala,cloudera/Impala,michaelhkw/incubator-impala,michaelhkw/incubator-impala,michaelhkw/incubator-impala |
e700990fa98002c380666c2a8b1541be675ff205 | solutions/uri/1022/1022.c | solutions/uri/1022/1022.c | #include <math.h>
#include <stdint.h>
#include <stdio.h>
#include <stdlib.h>
int main() {
int16_t n, a, b, c, d, r, num, den, num_r, den_r, j;
char o, i;
scanf("%d", &n);
while (n--) {
scanf("%d %c %d %c %d %c %d", &a, &i, &b, &o, &c, &i, &d);
switch (o) {
case '+':
num = (b * d) * a / b + (b * d) * c / d;
den = b * d;
break;
case '-':
num = (b * d) * a / b - (b * d) * c / d;
den = b * d;
break;
case '*':
num = a * c;
den = b * d;
break;
default:
num = a * d;
den = b * c;
break;
}
if (abs(num) < abs(den)) {
r = abs(num);
} else {
r = abs(den);
}
num_r = num;
den_r = den;
j = 2;
while (j <= r / 2 + 1) {
if (num_r % j == 0 && den_r % j == 0) {
num_r = num_r / j;
den_r = den_r / j;
} else {
j++;
}
}
printf("%d/%d = %d/%d\n", num, den, num_r, den_r);
}
return 0;
}
| Solve TDA Rational in c | Solve TDA Rational in c
| C | mit | deniscostadsc/playground,deniscostadsc/playground,deniscostadsc/playground,deniscostadsc/playground,deniscostadsc/playground,deniscostadsc/playground,deniscostadsc/playground,deniscostadsc/playground,deniscostadsc/playground,deniscostadsc/playground,deniscostadsc/playground,deniscostadsc/playground,deniscostadsc/playground,deniscostadsc/playground |
|
fe57f0a345dd24d56455755beb72f95c8194d3d9 | src/main/entity/components/SkillComponent.h | src/main/entity/components/SkillComponent.h | #ifndef SKILLCOMPONENT_H_
#define SKILLCOMPONENT_H_
#include "entity/components/AttributeComponent.h"
/**
* Data structure to represent an Entity's skill.
*/
typedef struct
{
int ranks; ///< Current ranks in the skill
int xp; ///< Amount of XP earned towards next rank
} SkillComponent;
/**
* Enumeration for identifying different skills.
*/
enum skill_t {
Melee,
Swords,
BastardSword,
Maces,
SpikedMace,
FirstAid
};
/**
* This array defines our parent skill relationships.
*
* If a skill's parent is itself, it has no parent.
*/
const skill_t PARENT_SKILLS[] = { Melee, Melee, Swords, Melee, Maces, FirstAid };
/**
* This array defines our skill-attribute relationships.
*/
const attrtype_t SKILL_ATTRIBUTES[] = { Str, Str, Str, Str, Str, Int };
#endif
| #ifndef SKILLCOMPONENT_H_
#define SKILLCOMPONENT_H_
#include "entity/components/AttributeComponent.h"
/**
* Data structure to represent an Entity's skill.
*/
typedef struct
{
int ranks; ///< Current ranks in the skill
int xp; ///< Amount of XP earned towards next rank
} SkillComponent;
/**
* Enumeration for identifying different skills.
* @todo: Dodge is actually a "meta" skill, one calculated from other attributes
*/
enum skill_t {
Melee,
Swords,
BastardSword,
Maces,
SpikedMace,
FirstAid,
Dodge
};
/**
* This array defines our parent skill relationships.
*
* If a skill's parent is itself, it has no parent.
*/
const skill_t PARENT_SKILLS[] = { Melee, Melee, Swords, Melee, Maces, FirstAid, Dodge };
/**
* This array defines our skill-attribute relationships.
*/
const attrtype_t SKILL_ATTRIBUTES[] = { Str, Str, Str, Str, Str, Int, Dex };
#endif
| Add Dodge skill as temporary hack | Add Dodge skill as temporary hack
I think I will implement an actual DefenseManager to handle calculating defenses on the fly; for now this works as a skill.
| C | mit | Kromey/roglick |
ce7258fa61fb2e04090ecbcaa402ecc55ff0ec62 | include/config/SkUserConfigManual.h | include/config/SkUserConfigManual.h | /*
* Copyright 2017 Google Inc.
*
* Use of this source code is governed by a BSD-style license that can be
* found in the LICENSE file.
*/
#ifndef SkUserConfigManual_DEFINED
#define SkUserConfigManual_DEFINED
#define GR_GL_CUSTOM_SETUP_HEADER "gl/GrGLConfig_chrome.h"
#define GR_TEST_UTILS 1
#define SKIA_DLL
#define SK_BUILD_FOR_ANDROID_FRAMEWORK
#define SK_DEFAULT_FONT_CACHE_LIMIT (768 * 1024)
#define SK_DEFAULT_GLOBAL_DISCARDABLE_MEMORY_POOL_SIZE (512 * 1024)
#define SK_USE_FREETYPE_EMBOLDEN
// Legacy flags
#define SK_IGNORE_GPU_DITHER
#define SK_IGNORE_LINEONLY_AA_CONVEX_PATH_OPTS
#define SK_LEGACY_SWEEP_GRADIENT
#define SK_SUPPORT_DEPRECATED_CLIPOPS
#define SK_SUPPORT_LEGACY_BILERP_IGNORING_HACK
// Needed until we fix https://bug.skia.org/2440
#define SK_SUPPORT_LEGACY_CLIPTOLAYERFLAG
#define SK_SUPPORT_LEGACY_DRAWFILTER
#define SK_SUPPORT_LEGACY_EMBOSSMASKFILTER
#define SK_SUPPORT_LEGACY_GRADIENT_DITHERING
#define SK_SUPPORT_LEGACY_SHADER_ISABITMAP
#define SK_SUPPORT_LEGACY_TILED_BITMAPS
#endif // SkUserConfigManual_DEFINED
| /*
* Copyright 2017 Google Inc.
*
* Use of this source code is governed by a BSD-style license that can be
* found in the LICENSE file.
*/
#ifndef SkUserConfigManual_DEFINED
#define SkUserConfigManual_DEFINED
#define GR_GL_CUSTOM_SETUP_HEADER "gl/GrGLConfig_chrome.h"
#define GR_TEST_UTILS 1
#define SKIA_DLL
#define SK_BUILD_FOR_ANDROID_FRAMEWORK
#define SK_DEFAULT_FONT_CACHE_LIMIT (768 * 1024)
#define SK_DEFAULT_GLOBAL_DISCARDABLE_MEMORY_POOL_SIZE (512 * 1024)
#define SK_USE_FREETYPE_EMBOLDEN
// Legacy flags
#define SK_IGNORE_GPU_DITHER
#define SK_IGNORE_LINEONLY_AA_CONVEX_PATH_OPTS
#define SK_SUPPORT_DEPRECATED_CLIPOPS
#define SK_SUPPORT_LEGACY_BILERP_IGNORING_HACK
// Needed until we fix https://bug.skia.org/2440
#define SK_SUPPORT_LEGACY_CLIPTOLAYERFLAG
#define SK_SUPPORT_LEGACY_DRAWFILTER
#define SK_SUPPORT_LEGACY_EMBOSSMASKFILTER
#define SK_SUPPORT_LEGACY_GRADIENT_DITHERING
#define SK_SUPPORT_LEGACY_SHADER_ISABITMAP
#define SK_SUPPORT_LEGACY_TILED_BITMAPS
#endif // SkUserConfigManual_DEFINED
| Switch Skia to the new sweep gradient impl | Switch Skia to the new sweep gradient impl
(remove SK_LEGACY_SWEEP_GRADIENT)
Change-Id: I967272af11b86223c92eea61288c6f2c5d27474f
| C | bsd-3-clause | aosp-mirror/platform_external_skia,aosp-mirror/platform_external_skia,Hikari-no-Tenshi/android_external_skia,Hikari-no-Tenshi/android_external_skia,Hikari-no-Tenshi/android_external_skia,Hikari-no-Tenshi/android_external_skia,Hikari-no-Tenshi/android_external_skia,aosp-mirror/platform_external_skia,Hikari-no-Tenshi/android_external_skia,aosp-mirror/platform_external_skia,aosp-mirror/platform_external_skia,aosp-mirror/platform_external_skia,aosp-mirror/platform_external_skia,aosp-mirror/platform_external_skia,Hikari-no-Tenshi/android_external_skia,aosp-mirror/platform_external_skia,aosp-mirror/platform_external_skia,Hikari-no-Tenshi/android_external_skia |
2a1aad729e09761ce45b9b283e2fb65da191d38c | SDKs/linux/usr/include/sys/mman.h | SDKs/linux/usr/include/sys/mman.h | /* ===-- limits.h - stub SDK header for compiler-rt -------------------------===
*
* The LLVM Compiler Infrastructure
*
* This file is dual licensed under the MIT and the University of Illinois Open
* Source Licenses. See LICENSE.TXT for details.
*
* ===-----------------------------------------------------------------------===
*
* This is a stub SDK header file. This file is not part of the interface of
* this library nor an official version of the appropriate SDK header. It is
* intended only to stub the features of this header required by compiler-rt.
*
* ===-----------------------------------------------------------------------===
*/
#ifndef __SYS_MMAN_H__
#define __SYS_MMAN_H__
typedef __SIZE_TYPE__ size_t;
#define PROT_READ 0x1
#define PROT_WRITE 0x1
#define PROT_EXEC 0x4
extern int mprotect (void *__addr, size_t __len, int __prot)
__attribute__((__nothrow__));
#endif /* __SYS_MMAN_H__ */
| /* ===-- limits.h - stub SDK header for compiler-rt -------------------------===
*
* The LLVM Compiler Infrastructure
*
* This file is dual licensed under the MIT and the University of Illinois Open
* Source Licenses. See LICENSE.TXT for details.
*
* ===-----------------------------------------------------------------------===
*
* This is a stub SDK header file. This file is not part of the interface of
* this library nor an official version of the appropriate SDK header. It is
* intended only to stub the features of this header required by compiler-rt.
*
* ===-----------------------------------------------------------------------===
*/
#ifndef __SYS_MMAN_H__
#define __SYS_MMAN_H__
typedef __SIZE_TYPE__ size_t;
#define PROT_READ 0x1
#define PROT_WRITE 0x2
#define PROT_EXEC 0x4
extern int mprotect (void *__addr, size_t __len, int __prot)
__attribute__((__nothrow__));
#endif /* __SYS_MMAN_H__ */
| Fix braindead pasto, caught by Matt Beaumont-Gay. | SDK/linux: Fix braindead pasto, caught by Matt Beaumont-Gay.
git-svn-id: c199f293c43da69278bea8e88f92242bf3aa95f7@146188 91177308-0d34-0410-b5e6-96231b3b80d8
| C | apache-2.0 | llvm-mirror/compiler-rt,llvm-mirror/compiler-rt,llvm-mirror/compiler-rt,llvm-mirror/compiler-rt,llvm-mirror/compiler-rt |
e8476178c71c887199a486746c0ea1694feb1bf6 | UIforETW/Version.h | UIforETW/Version.h | #pragma once
// const float in a header file can lead to duplication of the storage
// but I don't really care in this case. Just don't do it with a header
// that is included hundreds of times.
constexpr float kCurrentVersion = 1.54f;
// Put a "#define VERSION_SUFFIX 'b'" line here to add a minor version
// increment that won't trigger the new-version checks, handy for minor
// releases that I don't want to bother users about.
//#define VERSION_SUFFIX 'b'
| #pragma once
// const float in a header file can lead to duplication of the storage
// but I don't really care in this case. Just don't do it with a header
// that is included hundreds of times.
constexpr float kCurrentVersion = 1.55f;
// Put a "#define VERSION_SUFFIX 'b'" line here to add a minor version
// increment that won't trigger the new-version checks, handy for minor
// releases that I don't want to bother users about.
//#define VERSION_SUFFIX 'b'
| Update version number to 1.55 | Update version number to 1.55
| C | apache-2.0 | google/UIforETW,google/UIforETW,google/UIforETW,google/UIforETW |
37ffe379713c08899981532bad1a9df96c7fd3e2 | src/lib/PMDPage.h | src/lib/PMDPage.h | #pragma once
#include "geometry.h"
#include "yaml_utils.h"
#include <vector>
#include <boost/shared_ptr.hpp>
#include <librevenge/librevenge.h>
namespace libpagemaker
{
class PMDPage
{
std::vector<boost::shared_ptr<PMDLineSet> > m_shapes;
public:
PMDPage() : m_shapes()
{ }
void addShape(boost::shared_ptr<PMDLineSet> shape)
{
m_shapes.push_back(shape);
}
unsigned numShapes() const
{
return m_shapes.size();
}
boost::shared_ptr<const PMDLineSet> getShape(unsigned i) const
{
return m_shapes.at(i);
}
void emitYaml(yaml_emitter_t *emitter) const
{
yamlIndirectForeach(emitter, "shapes", m_shapes);
}
};
}
/* vim:set shiftwidth=2 softtabstop=2 expandtab: */
| #pragma once
#include "geometry.h"
#include "yaml_utils.h"
#include <vector>
#include <boost/shared_ptr.hpp>
#include <librevenge/librevenge.h>
namespace libpagemaker
{
class PMDPage
{
std::vector<boost::shared_ptr<PMDLineSet> > m_shapes;
public:
PMDPage() : m_shapes()
{ }
void addShape(boost::shared_ptr<PMDLineSet> shape)
{
m_shapes.push_back(shape);
}
unsigned numShapes() const
{
return m_shapes.size();
}
boost::shared_ptr<const PMDLineSet> getShape(unsigned i) const
{
return m_shapes.at(i);
}
void emitYaml(yaml_emitter_t *emitter) const
{
yamlBeginMap(emitter);
yamlIndirectForeach(emitter, "shapes", m_shapes);
yamlEndMap(emitter);
}
};
}
/* vim:set shiftwidth=2 softtabstop=2 expandtab: */
| Fix bug in shape yaml emit | Fix bug in shape yaml emit
| C | mpl-2.0 | umanwizard/libpagemaker,umanwizard/libpagemaker,umanwizard/libpagemaker,anuragkanungo/libpagemaker,anuragkanungo/libpagemaker,umanwizard/libpagemaker,anuragkanungo/libpagemaker,umanwizard/libpagemaker,anuragkanungo/libpagemaker |
a8122088474be0b8b2479e52a75ebf25a5a386f1 | lib/libz/zopenbsd.c | lib/libz/zopenbsd.c | /* $OpenBSD: zopenbsd.c,v 1.4 2015/01/20 04:41:01 krw Exp $ */
#include <sys/types.h>
#include <sys/malloc.h>
#include <lib/libz/zutil.h>
/*
* Space allocation and freeing routines for use by zlib routines.
*/
void *
zcalloc(notused, items, size)
void *notused;
u_int items, size;
{
return mallocarray(items, size, M_DEVBUF, M_NOWAIT);
}
void
zcfree(notused, ptr)
void *notused;
void *ptr;
{
free(ptr, M_DEVBUF, 0);
}
| #include <sys/types.h>
#include <sys/malloc.h>
#include <lib/libz/zutil.h>
/*
* Space allocation and freeing routines for use by zlib routines.
*/
void *
zcalloc(notused, items, size)
void *notused;
u_int items, size;
{
return mallocarray(items, size, M_DEVBUF, M_NOWAIT);
}
void
zcfree(notused, ptr)
void *notused;
void *ptr;
{
free(ptr, M_DEVBUF, 0);
}
| Revert some $OpenBSD$ additions about which there are doubts. | Revert some $OpenBSD$ additions about which there are doubts.
Suggested by deraadt@
| C | isc | orumin/openbsd-efivars,orumin/openbsd-efivars,orumin/openbsd-efivars,orumin/openbsd-efivars |
14ca78ef6e4f09ca085f0d19c9029895d5c57376 | inc/WalkerException.h | inc/WalkerException.h | //! \file WalkerException.h
#ifndef WALKEREXCEPTION_H
#define WALKEREXCEPTION_H
#include <stdexcept>
#include <string>
namespace WikiWalker
{
//! (base) class for exceptions in WikiWalker
class WalkerException : public std::runtime_error
{
public:
/*! Create a Walker exception with a message.
*
* Message might be shown on exception occurring, depending on
* the compiler.
*
* \param exmessage The exception message.
*/
explicit WalkerException(std::string exmessage) : runtime_error(exmessage)
{
}
};
} // namespace WikiWalker
#endif // WALKEREXCEPTION_H
| //! \file WalkerException.h
#ifndef WALKEREXCEPTION_H
#define WALKEREXCEPTION_H
#include <stdexcept>
#include <string>
namespace WikiWalker
{
//! (base) class for exceptions in WikiWalker
class WalkerException : public std::runtime_error
{
public:
/*! Create a Walker exception with a message.
*
* Message might be shown on exception occurring, depending on
* the compiler.
*
* \param exmessage The exception message.
*/
explicit WalkerException(const std::string& exmessage) : runtime_error(exmessage)
{
}
};
} // namespace WikiWalker
#endif // WALKEREXCEPTION_H
| Use const reference for exception | Use const reference for exception
| C | mit | dueringa/WikiWalker |
42602d2256e80bd1805a4d8970773be48d6e00f5 | searchlib/src/vespa/searchlib/tensor/hnsw_index_loader.h | searchlib/src/vespa/searchlib/tensor/hnsw_index_loader.h | // Copyright Verizon Media. Licensed under the terms of the Apache 2.0 license. See LICENSE in the project root.
#pragma once
#include <cstdint>
namespace search::fileutil { class LoadedBuffer; }
namespace search::tensor {
class HnswGraph;
/**
* Implements loading of HNSW graph structure from binary format.
**/
class HnswIndexLoader {
public:
HnswIndexLoader(HnswGraph &graph);
~HnswIndexLoader();
bool load(const fileutil::LoadedBuffer& buf);
private:
HnswGraph &_graph;
const uint32_t *_ptr;
const uint32_t *_end;
bool _failed;
uint32_t next_int() {
if (__builtin_expect((_ptr == _end), false)) {
_failed = true;
return 0;
}
return *_ptr++;
}
};
}
| // Copyright Verizon Media. Licensed under the terms of the Apache 2.0 license. See LICENSE in the project root.
#pragma once
#include <cstdint>
namespace search::fileutil { class LoadedBuffer; }
namespace search::tensor {
struct HnswGraph;
/**
* Implements loading of HNSW graph structure from binary format.
**/
class HnswIndexLoader {
public:
HnswIndexLoader(HnswGraph &graph);
~HnswIndexLoader();
bool load(const fileutil::LoadedBuffer& buf);
private:
HnswGraph &_graph;
const uint32_t *_ptr;
const uint32_t *_end;
bool _failed;
uint32_t next_int() {
if (__builtin_expect((_ptr == _end), false)) {
_failed = true;
return 0;
}
return *_ptr++;
}
};
}
| Fix forward declaration of HnswGraph. | Fix forward declaration of HnswGraph.
| C | apache-2.0 | vespa-engine/vespa,vespa-engine/vespa,vespa-engine/vespa,vespa-engine/vespa,vespa-engine/vespa,vespa-engine/vespa,vespa-engine/vespa,vespa-engine/vespa,vespa-engine/vespa,vespa-engine/vespa |
9cd078f86a3f80bf532f348e1f4722937f91c0b6 | lib/libstand/assert.c | lib/libstand/assert.c | /*-
* Copyright (c) 1998 Michael Smith.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions
* are met:
* 1. Redistributions of source code must retain the above copyright
* notice, this list of conditions and the following disclaimer.
* 2. Redistributions in binary form must reproduce the above copyright
* notice, this list of conditions and the following disclaimer in the
* documentation and/or other materials provided with the distribution.
*
* THIS SOFTWARE IS PROVIDED BY THE AUTHOR AND CONTRIBUTORS ``AS IS'' AND
* ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
* IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
* ARE DISCLAIMED. IN NO EVENT SHALL THE AUTHOR OR CONTRIBUTORS BE LIABLE
* FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL
* DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS
* OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION)
* HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT
* LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY
* OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF
* SUCH DAMAGE.
*
* $FreeBSD$
*/
#include <stand.h>
#include <assert.h>
void
__assert(const char *file, int line, const char *expression)
{
printf("assertion \"%s\" failed: file \"%s\", line %d\n", expression, file, line);
exit();
}
| /*-
* Copyright (c) 1998 Michael Smith.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions
* are met:
* 1. Redistributions of source code must retain the above copyright
* notice, this list of conditions and the following disclaimer.
* 2. Redistributions in binary form must reproduce the above copyright
* notice, this list of conditions and the following disclaimer in the
* documentation and/or other materials provided with the distribution.
*
* THIS SOFTWARE IS PROVIDED BY THE AUTHOR AND CONTRIBUTORS ``AS IS'' AND
* ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
* IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
* ARE DISCLAIMED. IN NO EVENT SHALL THE AUTHOR OR CONTRIBUTORS BE LIABLE
* FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL
* DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS
* OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION)
* HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT
* LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY
* OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF
* SUCH DAMAGE.
*
* $FreeBSD$
*/
#include <assert.h>
#include "stand.h"
void
__assert(const char *file, int line, const char *expression)
{
printf("assertion \"%s\" failed: file \"%s\", line %d\n", expression, file, line);
exit();
}
| Make include file consistent with the rest of libstand. | Make include file consistent with the rest of libstand.
| C | bsd-3-clause | jrobhoward/SCADAbase,jrobhoward/SCADAbase,jrobhoward/SCADAbase,jrobhoward/SCADAbase,jrobhoward/SCADAbase,jrobhoward/SCADAbase,jrobhoward/SCADAbase,jrobhoward/SCADAbase,jrobhoward/SCADAbase,jrobhoward/SCADAbase,jrobhoward/SCADAbase |
939d3a1e74e0d1ecf1d24e3368fdf4cf56301ae1 | Amplitude/Amplitude+SSLPinning.h | Amplitude/Amplitude+SSLPinning.h | #ifdef AMPLITUDE_SSL_PINNING
//
// Amplitude+SSLPinning
// Amplitude
//
// Created by Allan on 3/11/15.
// Copyright (c) 2015 Amplitude. All rights reserved.
//
#import <Foundation/Foundation.h>
@interface Amplitude (SSLPinning)
@property (nonatomic, assign) BOOL sslPinningEnabled;
@end
#endif
| //
// Amplitude+SSLPinning
// Amplitude
//
// Created by Allan on 3/11/15.
// Copyright (c) 2015 Amplitude. All rights reserved.
//
@import Foundation;
#import "Amplitude.h"
@interface Amplitude (SSLPinning)
#ifdef AMPLITUDE_SSL_PINNING
@property (nonatomic, assign) BOOL sslPinningEnabled;
#endif
@end
| Fix import so it doesn't corrupt debug console | [Debug] Fix import so it doesn't corrupt debug console
| C | mit | amplitude/Amplitude-iOS,amplitude/Amplitude-iOS,amplitude/Amplitude-iOS,amplitude/Amplitude-iOS |
c7ec0fabc589ebb1837000d9cde36066ce5a7b85 | C/Language/preprocessor_voodoo.c | C/Language/preprocessor_voodoo.c | #include <stdio.h>
#include <stdlib.h>
#include <time.h>
#define _Q(x) #x
#define Q(x) _Q(x)
#define print_calc(_a, _b, _op) printf("%2d "Q(_op)" %2d = %d\n", _a, _b, _a _op _b)
#define rand_num(x) rand() % x + 1
#define print_block(OP) \
_a1 = rand_num(20); \
_b1 = rand_num(20); \
print_calc(_a1, _b1, OP); \
_a1 = rand_num(20); \
_b1 = rand_num(20); \
print_calc(_a1, _b1, OP); \
_a1 = rand_num(20); \
_b1 = rand_num(20); \
print_calc(_a1, _b1, OP); \
_a1 = rand_num(20); \
_b1 = rand_num(20); \
print_calc(_a1, _b1, OP); \
printf("\n");
int main() {
srand(time(NULL));
int _a1, _b1;
print_block(+);
print_block(-);
print_block(*);
print_block(/);
return 0;
}
| Work from MacBook & PC | [Merge] Work from MacBook & PC
| C | mit | CajetanP/code-learning,CajetanP/code-learning,CajetanP/code-learning,CajetanP/code-learning,CajetanP/code-learning,CajetanP/code-learning,CajetanP/code-learning,CajetanP/code-learning,CajetanP/code-learning,CajetanP/code-learning |
|
5b329fd1aa5a6a1ff4ae1d9b6c83e33342392c31 | src/objective-c/GRPCClient/GRPCCall+Interceptor.h | src/objective-c/GRPCClient/GRPCCall+Interceptor.h | /*
*
* Copyright 2019 gRPC authors.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*
*/
#import "GRPCCall.h"
@protocol GRPCInterceptorFactory;
@interface GRPCCall2 (Interceptor)
+ (void)registerGlobalInterceptor:(id<GRPCInterceptorFactory>)interceptorFactory;
+ (id<GRPCInterceptorFactory>)globalInterceptorFactory;
@end
| /*
*
* Copyright 2019 gRPC authors.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*
*/
// The global interceptor feature is experimental and might be modified or removed at any time.
#import "GRPCCall.h"
@protocol GRPCInterceptorFactory;
@interface GRPCCall2 (Interceptor)
+ (void)registerGlobalInterceptor:(id<GRPCInterceptorFactory>)interceptorFactory;
+ (id<GRPCInterceptorFactory>)globalInterceptorFactory;
@end
| Add experimental notice to global interceptor | Add experimental notice to global interceptor | C | apache-2.0 | pszemus/grpc,muxi/grpc,donnadionne/grpc,firebase/grpc,ctiller/grpc,jtattermusch/grpc,donnadionne/grpc,ctiller/grpc,pszemus/grpc,vjpai/grpc,jboeuf/grpc,grpc/grpc,vjpai/grpc,ctiller/grpc,jtattermusch/grpc,ejona86/grpc,jboeuf/grpc,donnadionne/grpc,grpc/grpc,muxi/grpc,firebase/grpc,vjpai/grpc,nicolasnoble/grpc,grpc/grpc,donnadionne/grpc,firebase/grpc,pszemus/grpc,jboeuf/grpc,muxi/grpc,ejona86/grpc,stanley-cheung/grpc,muxi/grpc,grpc/grpc,pszemus/grpc,jtattermusch/grpc,stanley-cheung/grpc,ejona86/grpc,stanley-cheung/grpc,donnadionne/grpc,jboeuf/grpc,pszemus/grpc,ctiller/grpc,ctiller/grpc,jtattermusch/grpc,nicolasnoble/grpc,nicolasnoble/grpc,stanley-cheung/grpc,stanley-cheung/grpc,nicolasnoble/grpc,ctiller/grpc,muxi/grpc,ctiller/grpc,muxi/grpc,jboeuf/grpc,stanley-cheung/grpc,muxi/grpc,vjpai/grpc,vjpai/grpc,donnadionne/grpc,ejona86/grpc,grpc/grpc,firebase/grpc,firebase/grpc,grpc/grpc,jboeuf/grpc,muxi/grpc,vjpai/grpc,nicolasnoble/grpc,jtattermusch/grpc,nicolasnoble/grpc,donnadionne/grpc,grpc/grpc,ejona86/grpc,ejona86/grpc,vjpai/grpc,ctiller/grpc,muxi/grpc,grpc/grpc,firebase/grpc,jboeuf/grpc,stanley-cheung/grpc,jtattermusch/grpc,stanley-cheung/grpc,jboeuf/grpc,jtattermusch/grpc,jboeuf/grpc,jboeuf/grpc,jtattermusch/grpc,muxi/grpc,grpc/grpc,ejona86/grpc,vjpai/grpc,pszemus/grpc,jboeuf/grpc,donnadionne/grpc,pszemus/grpc,grpc/grpc,stanley-cheung/grpc,firebase/grpc,donnadionne/grpc,donnadionne/grpc,ctiller/grpc,pszemus/grpc,nicolasnoble/grpc,firebase/grpc,vjpai/grpc,muxi/grpc,jtattermusch/grpc,ctiller/grpc,jboeuf/grpc,jtattermusch/grpc,ejona86/grpc,pszemus/grpc,firebase/grpc,firebase/grpc,jtattermusch/grpc,vjpai/grpc,ejona86/grpc,nicolasnoble/grpc,nicolasnoble/grpc,firebase/grpc,pszemus/grpc,nicolasnoble/grpc,grpc/grpc,firebase/grpc,stanley-cheung/grpc,grpc/grpc,ejona86/grpc,ctiller/grpc,stanley-cheung/grpc,donnadionne/grpc,stanley-cheung/grpc,ejona86/grpc,vjpai/grpc,ctiller/grpc,donnadionne/grpc,vjpai/grpc,nicolasnoble/grpc,ejona86/grpc,nicolasnoble/grpc,muxi/grpc,pszemus/grpc,jtattermusch/grpc,pszemus/grpc |
bbaf4584286657582a92d5bb4038a5a06654ebb1 | fetch-pack.h | fetch-pack.h | #ifndef FETCH_PACK_H
#define FETCH_PACK_H
struct fetch_pack_args
{
const char *uploadpack;
int quiet;
int keep_pack;
int unpacklimit;
int use_thin_pack;
int fetch_all;
int verbose;
int depth;
int no_progress;
};
void setup_fetch_pack(struct fetch_pack_args *args);
struct ref *fetch_pack(const char *dest, int nr_heads, char **heads, char **pack_lockfile);
#endif
| #ifndef FETCH_PACK_H
#define FETCH_PACK_H
struct fetch_pack_args
{
const char *uploadpack;
int unpacklimit;
int depth;
unsigned quiet:1,
keep_pack:1,
use_thin_pack:1,
fetch_all:1,
verbose:1,
no_progress:1;
};
void setup_fetch_pack(struct fetch_pack_args *args);
struct ref *fetch_pack(const char *dest, int nr_heads, char **heads, char **pack_lockfile);
#endif
| Use 'unsigned:1' when we mean boolean options | Use 'unsigned:1' when we mean boolean options
These options are all strictly boolean (true/false). Its easier to
document this implicitly by making their storage type a single bit.
There is no compelling memory space reduction reason for this change,
it just makes the structure definition slightly more readable.
Signed-off-by: Shawn O. Pearce <[email protected]>
| C | mit | destenson/git,destenson/git,destenson/git,destenson/git,destenson/git,destenson/git,destenson/git,destenson/git |
a91f0523158431e59051d1fd7977426026a2c5a6 | src/plugins/qmldesigner/components/formeditor/abstractcustomtool.h | src/plugins/qmldesigner/components/formeditor/abstractcustomtool.h | #ifndef QMLDESIGNER_ABSTRACTSINGLESELECTIONTOOL_H
#define QMLDESIGNER_ABSTRACTSINGLESELECTIONTOOL_H
#include "abstractformeditortool.h"
namespace QmlDesigner {
class QMLDESIGNERCORE_EXPORT AbstractCustomTool : public QmlDesigner::AbstractFormEditorTool
{
public:
AbstractCustomTool();
void selectedItemsChanged(const QList<FormEditorItem *> &itemList) QTC_OVERRIDE;
virtual int wantHandleItem(const ModelNode &modelNode) const QTC_OVERRIDE = 0;
};
} // namespace QmlDesigner
#endif // QMLDESIGNER_ABSTRACTSINGLESELECTIONTOOL_H
| #ifndef QMLDESIGNER_ABSTRACTSINGLESELECTIONTOOL_H
#define QMLDESIGNER_ABSTRACTSINGLESELECTIONTOOL_H
#include "abstractformeditortool.h"
namespace QmlDesigner {
class QMLDESIGNERCORE_EXPORT AbstractCustomTool : public QmlDesigner::AbstractFormEditorTool
{
public:
AbstractCustomTool();
void selectedItemsChanged(const QList<FormEditorItem *> &itemList) QTC_OVERRIDE;
virtual QString name() const = 0;
virtual int wantHandleItem(const ModelNode &modelNode) const QTC_OVERRIDE = 0;
};
} // namespace QmlDesigner
#endif // QMLDESIGNER_ABSTRACTSINGLESELECTIONTOOL_H
| Add name method to custom tools | QmlDesigner.FormEditor: Add name method to custom tools
Change-Id: Icabf454fc49444a5a88c1f5eb84847967f09078e
Reviewed-by: Thomas Hartmann <[email protected]>
(cherry picked from commit bcb11829bab091c0e2c8ea4de42cc03aa5359f0c)
Reviewed-by: Marco Bubke <[email protected]>
| C | lgpl-2.1 | colede/qtcreator,darksylinc/qt-creator,danimo/qt-creator,farseerri/git_code,danimo/qt-creator,amyvmiwei/qt-creator,xianian/qt-creator,danimo/qt-creator,maui-packages/qt-creator,farseerri/git_code,amyvmiwei/qt-creator,richardmg/qtcreator,darksylinc/qt-creator,duythanhphan/qt-creator,xianian/qt-creator,omniacreator/qtcreator,martyone/sailfish-qtcreator,amyvmiwei/qt-creator,xianian/qt-creator,xianian/qt-creator,duythanhphan/qt-creator,martyone/sailfish-qtcreator,danimo/qt-creator,darksylinc/qt-creator,AltarBeastiful/qt-creator,duythanhphan/qt-creator,danimo/qt-creator,kuba1/qtcreator,AltarBeastiful/qt-creator,danimo/qt-creator,darksylinc/qt-creator,Distrotech/qtcreator,Distrotech/qtcreator,maui-packages/qt-creator,xianian/qt-creator,malikcjm/qtcreator,maui-packages/qt-creator,martyone/sailfish-qtcreator,xianian/qt-creator,farseerri/git_code,omniacreator/qtcreator,duythanhphan/qt-creator,darksylinc/qt-creator,Distrotech/qtcreator,kuba1/qtcreator,Distrotech/qtcreator,AltarBeastiful/qt-creator,malikcjm/qtcreator,omniacreator/qtcreator,Distrotech/qtcreator,omniacreator/qtcreator,AltarBeastiful/qt-creator,danimo/qt-creator,AltarBeastiful/qt-creator,maui-packages/qt-creator,richardmg/qtcreator,kuba1/qtcreator,kuba1/qtcreator,darksylinc/qt-creator,richardmg/qtcreator,amyvmiwei/qt-creator,farseerri/git_code,kuba1/qtcreator,malikcjm/qtcreator,martyone/sailfish-qtcreator,colede/qtcreator,amyvmiwei/qt-creator,kuba1/qtcreator,maui-packages/qt-creator,malikcjm/qtcreator,martyone/sailfish-qtcreator,xianian/qt-creator,omniacreator/qtcreator,colede/qtcreator,Distrotech/qtcreator,farseerri/git_code,richardmg/qtcreator,xianian/qt-creator,malikcjm/qtcreator,colede/qtcreator,farseerri/git_code,malikcjm/qtcreator,martyone/sailfish-qtcreator,maui-packages/qt-creator,omniacreator/qtcreator,malikcjm/qtcreator,colede/qtcreator,AltarBeastiful/qt-creator,AltarBeastiful/qt-creator,AltarBeastiful/qt-creator,darksylinc/qt-creator,farseerri/git_code,colede/qtcreator,martyone/sailfish-qtcreator,xianian/qt-creator,danimo/qt-creator,farseerri/git_code,richardmg/qtcreator,martyone/sailfish-qtcreator,duythanhphan/qt-creator,richardmg/qtcreator,kuba1/qtcreator,amyvmiwei/qt-creator,duythanhphan/qt-creator,danimo/qt-creator,maui-packages/qt-creator,duythanhphan/qt-creator,darksylinc/qt-creator,omniacreator/qtcreator,Distrotech/qtcreator,amyvmiwei/qt-creator,kuba1/qtcreator,kuba1/qtcreator,amyvmiwei/qt-creator,richardmg/qtcreator,martyone/sailfish-qtcreator,colede/qtcreator |
91555cbe336706d381af22561180b751923b1330 | cursor.all.h | cursor.all.h | // File created: 2011-09-02 23:36:23
#ifndef MUSHSPACE_CURSOR_H
#define MUSHSPACE_CURSOR_H
#include "space.all.h"
#define mushcursor MUSHSPACE_NAME(mushcursor)
// What kind of an area is the cursor in?
typedef enum MushCursorMode {
MushCursorMode_static,
MushCursorMode_dynamic,
MushCursorMode_bak,
} MushCursorMode;
#if MUSHSPACE_93
#define MUSHCURSOR_MODE(x) MushCursorMode_static
#else
#define MUSHCURSOR_MODE(x) ((x)->mode)
#endif
typedef struct mushcursor {
#if !MUSHSPACE_93
MushCursorMode mode;
#endif
mushspace *space;
mushcoords pos;
} mushcursor;
#define mushcursor_sizeof MUSHSPACE_CAT(mushcursor,_sizeof)
#define mushcursor_init MUSHSPACE_CAT(mushcursor,_init)
extern const size_t mushcursor_sizeof;
mushcursor* mushcursor_init(mushspace*, mushcoords, mushcoords, void*);
#endif
| // File created: 2011-09-02 23:36:23
#ifndef MUSHSPACE_CURSOR_H
#define MUSHSPACE_CURSOR_H
#include "space.all.h"
#define mushcursor MUSHSPACE_NAME(mushcursor)
// What kind of an area is the cursor in?
typedef enum MushCursorMode {
MushCursorMode_static,
MushCursorMode_dynamic,
MushCursorMode_bak,
} MushCursorMode;
#if MUSHSPACE_93
#define MUSHCURSOR_MODE(x) MushCursorMode_static
#else
#define MUSHCURSOR_MODE(x) ((x)->mode)
#endif
typedef struct mushcursor {
#if !MUSHSPACE_93
MushCursorMode mode;
#endif
mushspace *space;
mushcoords pos;
#if !MUSHSPACE_93
size_t box_idx;
#endif
} mushcursor;
#define mushcursor_sizeof MUSHSPACE_CAT(mushcursor,_sizeof)
#define mushcursor_init MUSHSPACE_CAT(mushcursor,_init)
extern const size_t mushcursor_sizeof;
mushcursor* mushcursor_init(mushspace*, mushcoords, mushcoords, void*);
#endif
| Add mushcursor.box_idx, for Funge-98 only | Add mushcursor.box_idx, for Funge-98 only
| C | mit | Deewiant/mushspace,Deewiant/mushspace,Deewiant/mushspace |
3df7e69b8f231c7514732bb8d55eb6ead1de0b3b | scripts/testScreens/testReport/deleteInspectionLocation.c | scripts/testScreens/testReport/deleteInspectionLocation.c | testScreens: testReport: DeleteInspectionLocation
If [ tagTestSubjectLocation::_LtestSubjectLocation = "" ]
Halt Script
End If
If [ tagTestSubjectLocation::inUse = "t" ]
Show Custom Dialog [ Title: "!"; Message: "Deleting this set of test items is allowed after you delete all discoveries made during testing."; Buttons: “OK” ]
Exit Script [ ]
End If
Set Variable [ $delete; Value:tagTestSubjectLocation::_LtestSubjectLocation ]
Set Variable [ $location; Value:tagTestSubjectLocation::kfocus ]
Go to Field [ ]
Refresh Window
Show Custom Dialog [ Title: "!"; Message: "Delete " & tagTestSubject::tag & "'s " & "test number " & tagTestSubjectLocation::reportNumber & " of " & tagTestSubjectLocation::focusName & "?"; Buttons: “Cancel”, “Delete” ]
If [ Get ( LastMessageChoice ) = 2 ]
Delete Record/Request
[ No dialog ]
End If
Go to Layout [ original layout ]
Set Variable [ $delete ]
Refresh Window
January 7, 平成26 14:16:54 Imagination Quality Management.fp7 - DeleteInspectionLocation -1-
| testScreens: testReport: deleteInspectionLocation
If [ tagTestSubjectLocation::_LtestSubjectLocation = "" ]
Halt Script
End If
If [ tagTestSubjectLocation::inUse = "t" ]
Show Custom Dialog [ Message: "Delete all test results made in this test section before deleting it. To do this, click its green test button. Click on each test item. Delete the results you find."; Buttons: “OK” ]
Exit Script [ ]
End If
Set Variable [ $delete; Value:tagTestSubjectLocation::_LtestSubjectLocation ]
Set Variable [ $location; Value:tagTestSubjectLocation::kfocus ]
Go to Field [ ]
Refresh Window
Show Custom Dialog [ Message: "Delete test section " & tagTestSubjectLocation::focusName & " for " & tagTestSubject::tag & "'s test #" & tagTestSubjectLocation::reportNumber & "?"; Buttons: “Cancel”, “Delete” ]
If [ Get ( LastMessageChoice ) = 2 ]
Delete Record/Request
[ No dialog ]
End If
Go to Layout [ original layout ]
Set Variable [ $delete ]
Refresh Window
July 11, 平成27 11:08:18 Library.fp7 - deleteInspectionLocation -1-
| Change language to improve quality and update to new vocabulary. | Change language to improve quality and update to new vocabulary.
Instead of ‘discovery’ now using ‘test result’ and instead of ‘focus’
now use ‘test section.’
| C | apache-2.0 | HelpGiveThanks/Library,HelpGiveThanks/Library |
0e6bcc34c6601b2ed2336d54e49bf23c12e30c60 | Settings/Controls/Dialog.h | Settings/Controls/Dialog.h | // Copyright (c) 2015, Matthew Malensek.
// Distributed under the BSD 2-Clause License (see LICENSE.txt for details)
#pragma once
#include <Windows.h>
#include <unordered_map>
class Control;
class Dialog {
public:
Dialog();
Dialog(HWND parent, LPCWSTR dlgTemplate);
void AddControl(Control *control);
HWND DialogHandle();
HWND ParentHandle();
void Show();
protected:
HWND _dlgHwnd;
HWND _parent;
/// <summary>Maps control IDs to their respective instances.</summary>
std::unordered_map<int, Control *> _controlMap;
static INT_PTR CALLBACK StaticDialogProc(HWND hwndDlg, UINT uMsg,
WPARAM wParam, LPARAM lParam);
virtual INT_PTR CALLBACK DialogProc(HWND hwndDlg, UINT uMsg,
WPARAM wParam, LPARAM lParam);
};
| // Copyright (c) 2015, Matthew Malensek.
// Distributed under the BSD 2-Clause License (see LICENSE.txt for details)
#pragma once
#include <Windows.h>
#include <unordered_map>
class Control;
class Dialog {
public:
Dialog();
Dialog(HWND parent, LPCWSTR dlgTemplate);
void AddControl(Control *control);
HWND DialogHandle();
HWND ParentHandle();
void Show();
protected:
HWND _dlgHwnd;
HWND _parent;
LPCWSTR _template;
/// <summary>Maps control IDs to their respective instances.</summary>
std::unordered_map<int, Control *> _controlMap;
static INT_PTR CALLBACK StaticDialogProc(HWND hwndDlg, UINT uMsg,
WPARAM wParam, LPARAM lParam);
virtual INT_PTR CALLBACK DialogProc(HWND hwndDlg, UINT uMsg,
WPARAM wParam, LPARAM lParam);
};
| Maintain the template string as an instance variable | Maintain the template string as an instance variable
| C | bsd-2-clause | malensek/3RVX,malensek/3RVX,malensek/3RVX |
f938f81e36fa1fffb1732058a23570abd2e9ee0e | bin/varnishd/mgt.h | bin/varnishd/mgt.h | /*
* $Id$
*/
#include "common.h"
#include "miniobj.h"
extern struct evbase *mgt_evb;
/* mgt_child.c */
void mgt_run(int dflag);
void mgt_start_child(void);
void mgt_stop_child(void);
extern pid_t mgt_pid, child_pid;
/* mgt_cli.c */
void mgt_cli_init(void);
void mgt_cli_setup(int fdi, int fdo, int verbose);
int mgt_cli_askchild(int *status, char **resp, const char *fmt, ...);
void mgt_cli_start_child(int fdi, int fdo);
void mgt_cli_stop_child(void);
/* mgt_vcc.c */
void mgt_vcc_init(void);
int mgt_vcc_default(const char *bflag, const char *fflag);
int mgt_push_vcls_and_start(int *status, char **p);
/* tcp.c */
int open_tcp(const char *port);
#include "stevedore.h"
extern struct stevedore sma_stevedore;
extern struct stevedore smf_stevedore;
#include "hash_slinger.h"
extern struct hash_slinger hsl_slinger;
extern struct hash_slinger hcl_slinger;
| /*
* $Id$
*/
#include "common.h"
#include "miniobj.h"
extern struct evbase *mgt_evb;
/* mgt_child.c */
void mgt_run(int dflag);
extern pid_t mgt_pid, child_pid;
/* mgt_cli.c */
void mgt_cli_init(void);
void mgt_cli_setup(int fdi, int fdo, int verbose);
int mgt_cli_askchild(int *status, char **resp, const char *fmt, ...);
void mgt_cli_start_child(int fdi, int fdo);
void mgt_cli_stop_child(void);
/* mgt_vcc.c */
void mgt_vcc_init(void);
int mgt_vcc_default(const char *bflag, const char *fflag);
int mgt_push_vcls_and_start(int *status, char **p);
/* tcp.c */
int open_tcp(const char *port);
#include "stevedore.h"
extern struct stevedore sma_stevedore;
extern struct stevedore smf_stevedore;
#include "hash_slinger.h"
extern struct hash_slinger hsl_slinger;
extern struct hash_slinger hcl_slinger;
| Remove prototypes for no longer existing functions | Remove prototypes for no longer existing functions
git-svn-id: 7d4b18ab7d176792635d6a7a77dd8cbbea8e8daa@659 d4fa192b-c00b-0410-8231-f00ffab90ce4
| C | bsd-2-clause | ssm/pkg-varnish,wikimedia/operations-debs-varnish,ssm/pkg-varnish,CartoDB/Varnish-Cache,CartoDB/Varnish-Cache,wikimedia/operations-debs-varnish,wikimedia/operations-debs-varnish,ssm/pkg-varnish,wikimedia/operations-debs-varnish,ssm/pkg-varnish,CartoDB/Varnish-Cache,wikimedia/operations-debs-varnish,ssm/pkg-varnish |
e1b6b7435ca21d528e26ef58af323c43143b77cd | tests/regression/36-apron/92-traces-mutex-meet-cluster2.c | tests/regression/36-apron/92-traces-mutex-meet-cluster2.c | // SKIP PARAM: --set ana.activated[+] apron --set ana.path_sens[+] threadflag
extern int __VERIFIER_nondet_int();
#include <pthread.h>
#include <assert.h>
int g = 0;
int h = 0;
pthread_mutex_t A = PTHREAD_MUTEX_INITIALIZER;
void *t_fun(void *arg) {
pthread_mutex_lock(&A);
g = 16;
pthread_mutex_unlock(&A);
return NULL;
}
void *t_fun2(void *arg) {
pthread_mutex_lock(&A);
h = __VERIFIER_nondet_int();
h = 12;
pthread_mutex_unlock(&A);
return NULL;
}
int main(void) {
pthread_t id, id2;
pthread_create(&id, NULL, t_fun, NULL);
pthread_create(&id2, NULL, t_fun2, NULL);
pthread_mutex_lock(&A);
h = 31;
pthread_mutex_unlock(&A);
pthread_mutex_lock(&A);
h = 12;
pthread_mutex_unlock(&A);
pthread_mutex_lock(&A);
int z = h;
assert(z != 31);
pthread_mutex_unlock(&A);
return 0;
}
| Add relational traces example where 1-clusters are needed | Add relational traces example where 1-clusters are needed
| C | mit | goblint/analyzer,goblint/analyzer,goblint/analyzer,goblint/analyzer,goblint/analyzer |
|
925cd389862fe45b44921e1a8693fb8b927a9ed6 | experiment.c | experiment.c | #include "stdio.h"
#include "stdlib.h"
#define TRIALS 4
#define MATRIX_SIZE 1024
int main(int argc, char* argv[])
{
short A[MATRIX_SIZE][MATRIX_SIZE],
B[MATRIX_SIZE][MATRIX_SIZE],
C[MATRIX_SIZE][MATRIX_SIZE];
// Initalize array A and B with '1's
for (int i = 0; i < MATRIX_SIZE; ++i)
for (int k = 0; k < MATRIX_SIZE; ++k)
A[i][k] = B[i][k] = 1;
// Iterate through the block sizes
for (int block_size = 4; block_size <= 256; block_size *= 2)
{
// Run TRIALS number of trials for each block size
for (int trial = 0; trial < TRIALS; ++trial)
{
printf("size: %d\n", block_size);
}
}
return 0;
}
| #include "stdio.h"
#include "stdlib.h"
#define TRIALS 4
#define MATRIX_SIZE 2048
short A[MATRIX_SIZE][MATRIX_SIZE],
B[MATRIX_SIZE][MATRIX_SIZE],
C[MATRIX_SIZE][MATRIX_SIZE] = {{0}};
int main(int argc, char* argv[])
{
// Initalize array A and B with '1's
for (int i = 0; i < MATRIX_SIZE; ++i)
for (int k = 0; k < MATRIX_SIZE; ++k)
A[i][k] = B[i][k] = 1;
// Iterate through the block sizes
for (int block_size = 4; block_size <= 256; block_size *= 2)
{
// Run TRIALS number of trials for each block size
for (int trial = 0; trial < TRIALS; ++trial)
{
printf("size: %d\n", block_size);
}
}
return 0;
}
| Move the arrays out of the stack into global mem | Move the arrays out of the stack into global mem
| C | mit | EvanPurkhiser/CS-Matrix-Multiplication |
a5fc5eba4dfcc284e6adcd7fdcd5b43182230d2b | arch/x86/include/asm/bug.h | arch/x86/include/asm/bug.h | #ifndef _ASM_X86_BUG_H
#define _ASM_X86_BUG_H
#ifdef CONFIG_BUG
#define HAVE_ARCH_BUG
#ifdef CONFIG_DEBUG_BUGVERBOSE
#ifdef CONFIG_X86_32
# define __BUG_C0 "2:\t.long 1b, %c0\n"
#else
# define __BUG_C0 "2:\t.long 1b - 2b, %c0 - 2b\n"
#endif
#define BUG() \
do { \
asm volatile("1:\tud2\n" \
".pushsection __bug_table,\"a\"\n" \
__BUG_C0 \
"\t.word %c1, 0\n" \
"\t.org 2b+%c2\n" \
".popsection" \
: : "i" (__FILE__), "i" (__LINE__), \
"i" (sizeof(struct bug_entry))); \
for (;;) ; \
} while (0)
#else
#define BUG() \
do { \
asm volatile("ud2"); \
for (;;) ; \
} while (0)
#endif
#endif /* !CONFIG_BUG */
#include <asm-generic/bug.h>
#endif /* _ASM_X86_BUG_H */
| #ifndef _ASM_X86_BUG_H
#define _ASM_X86_BUG_H
#ifdef CONFIG_BUG
#define HAVE_ARCH_BUG
#ifdef CONFIG_DEBUG_BUGVERBOSE
#ifdef CONFIG_X86_32
# define __BUG_C0 "2:\t.long 1b, %c0\n"
#else
# define __BUG_C0 "2:\t.long 1b - 2b, %c0 - 2b\n"
#endif
#define BUG() \
do { \
asm volatile("1:\tud2\n" \
".pushsection __bug_table,\"a\"\n" \
__BUG_C0 \
"\t.word %c1, 0\n" \
"\t.org 2b+%c2\n" \
".popsection" \
: : "i" (__FILE__), "i" (__LINE__), \
"i" (sizeof(struct bug_entry))); \
unreachable(); \
} while (0)
#else
#define BUG() \
do { \
asm volatile("ud2"); \
unreachable(); \
} while (0)
#endif
#endif /* !CONFIG_BUG */
#include <asm-generic/bug.h>
#endif /* _ASM_X86_BUG_H */
| Convert BUG() to use unreachable() | x86: Convert BUG() to use unreachable()
Use the new unreachable() macro instead of for(;;);. When
allyesconfig is built with a GCC-4.5 snapshot on i686 the size of the
text segment is reduced by 3987 bytes (from 6827019 to 6823032).
Signed-off-by: David Daney <[email protected]>
Acked-by: "H. Peter Anvin" <[email protected]>
CC: Thomas Gleixner <[email protected]>
CC: Ingo Molnar <[email protected]>
CC: [email protected]
Signed-off-by: Linus Torvalds <[email protected]>
| C | apache-2.0 | TeamVee-Kanas/android_kernel_samsung_kanas,TeamVee-Kanas/android_kernel_samsung_kanas,KristFoundation/Programs,TeamVee-Kanas/android_kernel_samsung_kanas,KristFoundation/Programs,TeamVee-Kanas/android_kernel_samsung_kanas,KristFoundation/Programs,KristFoundation/Programs,KristFoundation/Programs,TeamVee-Kanas/android_kernel_samsung_kanas,KristFoundation/Programs |
62cf809f47a2767f343ddc649f8e8b0d725c7823 | inc/user.h | inc/user.h | #ifndef USER_H
#define USER_H
#include <stdint.h>
#include <QString>
#include <QByteArray>
#include <QVector>
#include "../inc/pwentry.h"
class User
{
public:
enum AuthenticateFlag {
Authenticate = 0x0000,
Encrypt = 0x0001,
Decrypt = 0x0002
};
User();
User(QString username,
QString password);
User(QString username,
QByteArray auth_salt,
QByteArray key_salt,
QByteArray iv,
QByteArray auth_hash,
QVector<PwEntry> password_entries);
QString username;
QByteArray auth_salt;
QByteArray key_salt;
QByteArray iv;
QByteArray auth_hash;
QVector<PwEntry> password_entries;
bool isDecrypted;
int Authenticate(QString password, AuthenticateFlag auth_mode);
int AddPwEntry(PwEntry password_entry);
private:
void EncryptAllPwEntries(QString password);
void DecryptAllPwEntries(QString password);
};
#endif // USER_H
| #ifndef USER_H
#define USER_H
#include <stdint.h>
#include <QString>
#include <QByteArray>
#include <QVector>
#include "../inc/pwentry.h"
class User
{
public:
enum AuthenticateFlag {
Auth = 0x0000,
Encrypt = 0x0001,
Decrypt = 0x0002
};
User();
User(QString username,
QString password);
User(QString username,
QByteArray auth_salt,
QByteArray key_salt,
QByteArray iv,
QByteArray auth_hash,
QVector<PwEntry> password_entries);
QString username;
QByteArray auth_salt;
QByteArray key_salt;
QByteArray iv;
QByteArray auth_hash;
QVector<PwEntry> password_entries;
bool isDecrypted;
int Authenticate(QString password, User::AuthenticateFlag auth_mode);
int AddPwEntry(PwEntry password_entry);
private:
void EncryptAllPwEntries(QString password);
void DecryptAllPwEntries(QString password);
};
#endif // USER_H
| Resolve naming conflict between Authenticate method name and enum name. | Resolve naming conflict between Authenticate method name and enum name.
| C | mit | vapter/karabiner,vapter/karabiner,vapter/karabiner |
2f7b8e781b35070f8f79b4816354ffd81df9048b | lib/stdarg.h | lib/stdarg.h | #ifndef __STDARG_H
#define __STDARG_H
#include "sys/types.h"
typedef void *va_list;
#define va_start(l, arg) l = (void *)&arg
#define va_arg(l, type) (*(type *)(l += __WORDSIZE / 8))
#define va_end(l)
#endif
| #ifndef __STDARG_H
#define __STDARG_H
#include "sys/types.h"
typedef void *va_list;
#define va_start(l, arg) l = (void *)&arg
/*
* va_arg assumes arguments are promoted to
* machine-word size when pushed onto the stack
*/
#define va_arg(l, type) (*(type *)(l += sizeof *l))
#define va_end(l)
#endif
| Move by machine word size | Move by machine word size
| C | mit | bobrippling/ucc-c-compiler,bobrippling/ucc-c-compiler,bobrippling/ucc-c-compiler |
31679d8270f599c1a0927e5bcfd6f865d28167c1 | spectrum.h | spectrum.h | #ifndef COMPTONSPECTRUM
#define COMPTONSPECTRUM
#include "TH1F.h"
class spectrum
{
public:
spectrum(double initialEnergy, double resolution);
void setNumberOfEvents(const int events);
virtual TH1F* getHisto();
virtual void generateEvents();
protected:
double fInitialEnergy;
double fResolution;
int fEvents;
std::vector<double> fSimEvents;
};
#endif //COMPTONSPECTRUM | #ifndef COMPTONSPECTRUM
#define COMPTONSPECTRUM
#include "TH1F.h"
class spectrum
{
public:
spectrum(double initialEnergy = 0, double resolution = 0);
void setNumberOfEvents(const int events);
virtual TH1F* getHisto();
virtual void generateEvents();
protected:
double fInitialEnergy = 0;
double fResolution = 0;
int fEvents = 0;
std::vector<double> fSimEvents;
};
#endif //COMPTONSPECTRUM | Add default values of variables | Add default values of variables
| C | mit | wictus/comptonPlots |
accf8e0bfee00fd2f5a97f728f0e8b57c6e9931d | inc/cleri/children.h | inc/cleri/children.h | /*
* children.h - linked list for keeping node results
*
* author : Jeroen van der Heijden
* email : [email protected]
* copyright : 2016, Transceptor Technology
*
* changes
* - initial version, 08-03-2016
* - refactoring, 17-06-2017
*/
#ifndef CLERI_CHILDREN_H_
#define CLERI_CHILDREN_H_
#include <cleri/node.h>
/* typedefs */
typedef struct cleri_node_s cleri_node_t;
typedef struct cleri_children_s cleri_children_t;
/* private functions */
cleri_children_t * cleri__children_new(void);
void cleri__children_free(cleri_children_t * children);
int cleri__children_add(cleri_children_t * children, cleri_node_t * node);
/* structs */
struct cleri_children_s
{
cleri_node_t * node;
struct cleri_children_s * next;
};
#endif /* CLERI_CHILDREN_H_ */ | /*
* children.h - linked list for keeping node results
*
* author : Jeroen van der Heijden
* email : [email protected]
* copyright : 2016, Transceptor Technology
*
* changes
* - initial version, 08-03-2016
* - refactoring, 17-06-2017
*/
#ifndef CLERI_CHILDREN_H_
#define CLERI_CHILDREN_H_
#include <cleri/node.h>
/* typedefs */
typedef struct cleri_node_s cleri_node_t;
typedef struct cleri_children_s cleri_children_t;
/* private functions */
cleri_children_t * cleri__children_new(void);
void cleri__children_free(cleri_children_t * children);
int cleri__children_add(cleri_children_t * children, cleri_node_t * node);
/* structs */
struct cleri_children_s
{
cleri_node_t * node;
cleri_children_t * next;
};
#endif /* CLERI_CHILDREN_H_ */ | Update gitignore and use typedef instead of struct | Update gitignore and use typedef instead of struct
| C | mit | transceptor-technology/libcleri,transceptor-technology/libcleri |
1739d1ce0131a272dfd976df21fdbe21c822cc2e | os/scoped_handle.h | os/scoped_handle.h | // LAF OS Library
// Copyright (C) 2019 Igara Studio S.A.
// Copyright (C) 2012-2013 David Capello
//
// This file is released under the terms of the MIT license.
// Read LICENSE.txt for more information.
#ifndef OS_SCOPED_HANDLE_H_INCLUDED
#define OS_SCOPED_HANDLE_H_INCLUDED
#pragma once
namespace os {
template<typename T>
class ScopedHandle {
public:
ScopedHandle(T* handle) : m_handle(handle) { }
ScopedHandle(ScopedHandle&& that) {
m_handle = that.m_handle;
that.m_handle = nullptr;
}
~ScopedHandle() {
if (m_handle)
m_handle->dispose();
}
T* operator->() { return m_handle; }
operator T*() { return m_handle; }
private:
T* m_handle;
// Cannot copy
ScopedHandle(const ScopedHandle&);
ScopedHandle& operator=(const ScopedHandle&);
};
} // namespace os
#endif
| // LAF OS Library
// Copyright (C) 2019-2020 Igara Studio S.A.
// Copyright (C) 2012-2013 David Capello
//
// This file is released under the terms of the MIT license.
// Read LICENSE.txt for more information.
#ifndef OS_SCOPED_HANDLE_H_INCLUDED
#define OS_SCOPED_HANDLE_H_INCLUDED
#pragma once
namespace os {
template<typename T>
class ScopedHandle {
public:
ScopedHandle(T* handle) : m_handle(handle) { }
ScopedHandle(ScopedHandle&& that) {
m_handle = that.m_handle;
that.m_handle = nullptr;
}
~ScopedHandle() {
if (m_handle)
m_handle->dispose();
}
T* operator->() { return m_handle; }
operator T*() { return m_handle; }
const T* operator->() const { return m_handle; }
operator const T*() const { return m_handle; }
private:
T* m_handle;
// Cannot copy
ScopedHandle(const ScopedHandle&);
ScopedHandle& operator=(const ScopedHandle&);
};
} // namespace os
#endif
| Add operators for ScopedHandle when it is const | Add operators for ScopedHandle when it is const
| C | mit | aseprite/laf,aseprite/laf |
4e2b8800768573270f13a537c76d4e5f0cdad3cf | Sources/CardinalDebugToolkit.h | Sources/CardinalDebugToolkit.h | //
// CardinalDebugToolkit.h
// CardinalDebugToolkit
//
// Created by Robin Kunde on 11/3/17.
// Copyright © 2017 Cardinal Solutions. All rights reserved.
//
#import <UIKit/UIKit.h>
//! Project version number for CardinalDebugToolkit.
FOUNDATION_EXPORT double CardinalDebugToolkitVersionNumber;
//! Project version string for CardinalDebugToolkit.
FOUNDATION_EXPORT const unsigned char CardinalDebugToolkitVersionString[];
// In this header, you should import all the public headers of your framework using statements like #import <CardinalDebugToolkit/PublicHeader.h>
#import <CardinalDebugToolkit/NSUserDefaultsHelper.h>
| //
// CardinalDebugToolkit.h
// CardinalDebugToolkit
//
// Created by Robin Kunde on 11/3/17.
// Copyright © 2017 Cardinal Solutions. All rights reserved.
//
#import <UIKit/UIKit.h>
//! Project version number for CardinalDebugToolkit.
FOUNDATION_EXPORT double CardinalDebugToolkitVersionNumber;
//! Project version string for CardinalDebugToolkit.
FOUNDATION_EXPORT const unsigned char CardinalDebugToolkitVersionString[];
#import "NSUserDefaultsHelper.h"
| Fix import statement in library briding header | Fix import statement in library briding header
| C | mit | CardinalNow/CardinalDebugToolkit,CardinalNow/CardinalDebugToolkit,CardinalNow/CardinalDebugToolkit |
c9c37b34d95a1436933698beca4cebcceb42a510 | mainwindow.h | mainwindow.h | #ifndef MAINWINDOW_H
#define MAINWINDOW_H
#include <QMainWindow>
#include <qwt_picker.h>
#include <qwt_plot_picker.h>
namespace Ui {
class MainWindow;
}
class MainWindow : public QMainWindow
{
Q_OBJECT
public:
explicit MainWindow(QWidget *parent = 0);
~MainWindow();
private slots:
void on_enableSizeButton_clicked();
private:
Ui::MainWindow *ui;
double **xnPlus, **xnMinus, **ynPlus, **ynMinus;
QwtPlotPicker *picker;
private:
void initArrays();
void initTauComboBox();
void initQwtPlot();
void initQwtPlotPicker();
double func1(double xn, double yn);
double func2(double xn);
void buildTrajectory(int idTraj);
};
#endif // MAINWINDOW_H
| #ifndef MAINWINDOW_H
#define MAINWINDOW_H
#include <QMainWindow>
#include <qwt_picker.h>
#include <qwt_plot_picker.h>
namespace Ui {
class MainWindow;
}
class MainWindow : public QMainWindow
{
Q_OBJECT
public:
explicit MainWindow(QWidget *parent = 0);
~MainWindow();
private slots:
void on_enableSizeButton_clicked();
private:
Ui::MainWindow *ui;
double **xnPlus, **xnMinus, **ynPlus, **ynMinus;
double x0, y0;
QwtPlotPicker *picker;
private:
void initArrays();
void initTauComboBox();
void initQwtPlot();
void initQwtPlotPicker();
double func1(double xn, double yn);
double func2(double xn);
void buildTrajectory(int idTraj);
};
#endif // MAINWINDOW_H
| Add x0, y0 fields in class. | Add x0, y0 fields in class.
| C | mit | ivanshchitov/solving-system-ode |
9faa3ae19da724a23538a218a691bf73c24b81d2 | BKMoneyKit/BKCardExpiryField.h | BKMoneyKit/BKCardExpiryField.h | //
// BKCardExpiryField.h
// BKMoneyKit
//
// Created by Byungkook Jang on 2014. 7. 6..
// Copyright (c) 2014년 Byungkook Jang. All rights reserved.
//
#import "BKForwardingTextField.h"
@interface BKCardExpiryField : BKForwardingTextField
/**
* Date components that user typed. Undetermined components would be zero.
*/
@property (nonatomic, strong) NSDateComponents *dateComponents;
@end
| //
// BKCardExpiryField.h
// BKMoneyKit
//
// Created by Byungkook Jang on 2014. 7. 6..
// Copyright (c) 2014년 Byungkook Jang. All rights reserved.
//
#import "BKForwardingTextField.h"
@interface BKCardExpiryField : BKForwardingTextField
/**
* Date components that user typed. Undetermined components would be zero.
*/
@property (nonatomic, strong) NSDateComponents *dateComponents;
+ (NSInteger)currentYear;
@end
| Add accept to current year getter | Add accept to current year getter
| C | mit | bkook/BKMoneyKit,brightsider/BKMoneyKit |
f1d1c9cbfdbb8740e2dfb3f0af5645be978fbfbd | omx/gstomx.h | omx/gstomx.h | /*
* Copyright (C) 2007-2008 Nokia Corporation.
*
* Author: Felipe Contreras <[email protected]>
*
* This library is free software; you can redistribute it and/or
* modify it under the terms of the GNU Lesser General Public
* License as published by the Free Software Foundation
* version 2.1 of the License.
*
* This library is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
* Lesser General Public License for more details.
*
* You should have received a copy of the GNU Lesser General Public
* License along with this library; if not, write to the Free Software
* Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA
*
*/
#ifndef GSTOMX_H
#define GSTOMX_H
#include <gst/gst.h>
G_BEGIN_DECLS
#define DEFAULT_LIBRARY_NAME "libomxil.so.0"
GST_DEBUG_CATEGORY_EXTERN (gstomx_debug);
#define GST_CAT_DEFAULT gstomx_debug
G_END_DECLS
#endif /* GSTOMX_H */
| /*
* Copyright (C) 2007-2008 Nokia Corporation.
*
* Author: Felipe Contreras <[email protected]>
*
* This library is free software; you can redistribute it and/or
* modify it under the terms of the GNU Lesser General Public
* License as published by the Free Software Foundation
* version 2.1 of the License.
*
* This library is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
* Lesser General Public License for more details.
*
* You should have received a copy of the GNU Lesser General Public
* License along with this library; if not, write to the Free Software
* Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA
*
*/
#ifndef GSTOMX_H
#define GSTOMX_H
#include <gst/gst.h>
G_BEGIN_DECLS
#define DEFAULT_LIBRARY_NAME "libomxil-bellagio.so.0"
GST_DEBUG_CATEGORY_EXTERN (gstomx_debug);
#define GST_CAT_DEFAULT gstomx_debug
G_END_DECLS
#endif /* GSTOMX_H */
| Update library name to new bellagio library. | Update library name to new bellagio library.
| C | lgpl-2.1 | mrchapp/gst-openmax-devel,felipec/gst-openmax,prajnashi/gst-openmax,matsu/gst-openmax,mrchapp/gst-openmax,mrchapp/gst-openmax,matsu/gst-openmax,mrchapp/gst-openmax,PPCDroid/external-gst-openmax,freedesktop-unofficial-mirror/gstreamer__attic__gst-openmax,mrchapp/gst-openmax-devel,PPCDroid/external-gst-openmax,freedesktop-unofficial-mirror/gstreamer__attic__gst-openmax,prajnashi/gst-openmax,felipec/gst-openmax,mrchapp/gst-openmax-devel |
04b90bc00fc6ce8bc6c559e56220ceb77cdbccf6 | test/Analysis/array-struct.c | test/Analysis/array-struct.c | // RUN: clang -checker-simple -verify %s
// RUN: clang -checker-simple -analyzer-store-region -verify %s
struct s {
int data;
int data_array[10];
};
typedef struct {
int data;
} STYPE;
void f(void) {
int a[10];
int (*p)[10];
p = &a;
(*p)[3] = 1;
struct s d;
struct s *q;
q = &d;
q->data = 3;
d.data_array[9] = 17;
}
void f2() {
char *p = "/usr/local";
char (*q)[4];
q = &"abc";
}
void f3() {
STYPE s;
}
void f4() {
int a[] = { 1, 2, 3};
int b[3] = { 1, 2 };
}
| // RUN: clang -checker-simple -verify %s
// RUN: clang -checker-simple -analyzer-store-region -verify %s
struct s {
int data;
int data_array[10];
};
typedef struct {
int data;
} STYPE;
void g1(struct s* p);
void f(void) {
int a[10];
int (*p)[10];
p = &a;
(*p)[3] = 1;
struct s d;
struct s *q;
q = &d;
q->data = 3;
d.data_array[9] = 17;
}
void f2() {
char *p = "/usr/local";
char (*q)[4];
q = &"abc";
}
void f3() {
STYPE s;
}
void f4() {
int a[] = { 1, 2, 3};
int b[3] = { 1, 2 };
}
void f5() {
struct s data;
g1(&data);
}
| Add function side-effect test cast. | Add function side-effect test cast.
git-svn-id: ffe668792ed300d6c2daa1f6eba2e0aa28d7ec6c@58565 91177308-0d34-0410-b5e6-96231b3b80d8
| C | apache-2.0 | llvm-mirror/clang,apple/swift-clang,llvm-mirror/clang,llvm-mirror/clang,apple/swift-clang,llvm-mirror/clang,apple/swift-clang,llvm-mirror/clang,llvm-mirror/clang,llvm-mirror/clang,llvm-mirror/clang,apple/swift-clang,llvm-mirror/clang,apple/swift-clang,llvm-mirror/clang,apple/swift-clang,apple/swift-clang,apple/swift-clang,apple/swift-clang,apple/swift-clang |
d9ff38b9506f42f468d03a48674ef0a227405351 | net430/cpu.h | net430/cpu.h | #include "config.h"
#include <msp430.h>
void delayMs(uint16_t ms);
static void
cpu_init(void) {
WDTCTL = WDTPW + WDTHOLD; // Stop watchdog timer
/* Set proper CPU clock speed */
DCOCTL = 0;
#if CPU_FREQ == 1
BCSCTL1 = CALBC1_1MHZ;
DCOCTL = CALDCO_1MHZ;
#elif CPU_FREQ == 8
BCSCTL1 = CALBC1_8MHZ;
DCOCTL = CALDCO_8MHZ;
#elif CPU_FREQ == 12
BCSCTL1 = CALBC1_12MHZ
DCOCTL = CALDCO_12HZ;
#elif CPU_FREQ == 16
BCSCTL1 = CALBC1_16MHZ;
DCOCTL = CALDCO_16MHZ;
#else
#error "Unsupported CPU frequency"
#endif
}
/* Spends 3 * n cycles */
__inline__ static void delay_cycles(register unsigned int n) {
__asm__ __volatile__ (
"1: \n"
" dec %[n] \n"
" jne 1b \n"
: [n] "+r"(n));
}
| #include "config.h"
#include <msp430.h>
#include <stdint.h>
void delayMs(uint16_t ms);
static void
cpu_init(void) {
WDTCTL = WDTPW + WDTHOLD; // Stop watchdog timer
/* Set proper CPU clock speed */
DCOCTL = 0;
#if CPU_FREQ == 1
BCSCTL1 = CALBC1_1MHZ;
DCOCTL = CALDCO_1MHZ;
#elif CPU_FREQ == 8
BCSCTL1 = CALBC1_8MHZ;
DCOCTL = CALDCO_8MHZ;
#elif CPU_FREQ == 12
BCSCTL1 = CALBC1_12MHZ
DCOCTL = CALDCO_12HZ;
#elif CPU_FREQ == 16
BCSCTL1 = CALBC1_16MHZ;
DCOCTL = CALDCO_16MHZ;
#else
#error "Unsupported CPU frequency"
#endif
}
/* Spends 3 * n cycles */
__inline__ static void delay_cycles(register unsigned int n) {
__asm__ __volatile__ (
"1: \n"
" dec %[n] \n"
" jne 1b \n"
: [n] "+r"(n));
}
| Include stdint to get uint16_t | Include stdint to get uint16_t
| C | mit | xpgdk/net430,xpgdk/net430,xpgdk/net430 |
ea0ce2b6d9c1463be6038146063f016b489b54e4 | plugin/devil/gvplugin_devil.c | plugin/devil/gvplugin_devil.c | /* $Id$ $Revision$ */
/* vim:set shiftwidth=4 ts=8: */
/**********************************************************
* This software is part of the graphviz package *
* http://www.graphviz.org/ *
* *
* Copyright (c) 1994-2004 AT&T Corp. *
* and is licensed under the *
* Common Public License, Version 1.0 *
* by AT&T Corp. *
* *
* Information and Software Systems Research *
* AT&T Research, Florham Park NJ *
**********************************************************/
#include "gvplugin.h"
extern gvplugin_installed_t gvdevice_devil_types;
static gvplugin_api_t apis[] = {
{API_device, &gvdevice_devil_types},
{(api_t)0, 0},
};
gvplugin_library_t gvplugin_devil_LTX_library = { "devil", apis };
| /* $Id$ $Revision$ */
/* vim:set shiftwidth=4 ts=8: */
/**********************************************************
* This software is part of the graphviz package *
* http://www.graphviz.org/ *
* *
* Copyright (c) 1994-2004 AT&T Corp. *
* and is licensed under the *
* Common Public License, Version 1.0 *
* by AT&T Corp. *
* *
* Information and Software Systems Research *
* AT&T Research, Florham Park NJ *
**********************************************************/
#include "gvplugin.h"
extern gvplugin_installed_t gvdevice_devil_types[];
static gvplugin_api_t apis[] = {
{API_device, gvdevice_devil_types},
{(api_t)0, 0},
};
gvplugin_library_t gvplugin_devil_LTX_library = { "devil", apis };
| Apply patch for C standards compliance: "All declarations that refer to the same object or function shall have compatible type; otherwise, the behavior is undefined." (That's from ISO/IEC 9899:TC2 final committee draft, section 6.2.7.) | Apply patch for C standards compliance:
"All declarations that
refer to the same object or function shall have compatible type;
otherwise, the behavior is undefined." (That's from ISO/IEC 9899:TC2
final committee draft, section 6.2.7.)
This doesn't trigger issues with most C implementations, but there
is one implementation in development (GCC LTO branch) which does
flag this issue.
Patch from: Chris Demetriou <[email protected]>
| C | epl-1.0 | kbrock/graphviz,kbrock/graphviz,jho1965us/graphviz,BMJHayward/graphviz,jho1965us/graphviz,kbrock/graphviz,tkelman/graphviz,kbrock/graphviz,pixelglow/graphviz,jho1965us/graphviz,MjAbuz/graphviz,kbrock/graphviz,kbrock/graphviz,pixelglow/graphviz,tkelman/graphviz,MjAbuz/graphviz,tkelman/graphviz,kbrock/graphviz,BMJHayward/graphviz,pixelglow/graphviz,ellson/graphviz,BMJHayward/graphviz,BMJHayward/graphviz,pixelglow/graphviz,tkelman/graphviz,jho1965us/graphviz,pixelglow/graphviz,MjAbuz/graphviz,pixelglow/graphviz,jho1965us/graphviz,MjAbuz/graphviz,ellson/graphviz,BMJHayward/graphviz,MjAbuz/graphviz,MjAbuz/graphviz,tkelman/graphviz,ellson/graphviz,kbrock/graphviz,ellson/graphviz,tkelman/graphviz,BMJHayward/graphviz,ellson/graphviz,MjAbuz/graphviz,tkelman/graphviz,ellson/graphviz,pixelglow/graphviz,pixelglow/graphviz,pixelglow/graphviz,tkelman/graphviz,ellson/graphviz,BMJHayward/graphviz,MjAbuz/graphviz,pixelglow/graphviz,jho1965us/graphviz,kbrock/graphviz,jho1965us/graphviz,jho1965us/graphviz,ellson/graphviz,jho1965us/graphviz,MjAbuz/graphviz,pixelglow/graphviz,ellson/graphviz,jho1965us/graphviz,kbrock/graphviz,jho1965us/graphviz,BMJHayward/graphviz,tkelman/graphviz,kbrock/graphviz,tkelman/graphviz,BMJHayward/graphviz,MjAbuz/graphviz,MjAbuz/graphviz,BMJHayward/graphviz,ellson/graphviz,tkelman/graphviz,BMJHayward/graphviz,ellson/graphviz |
6eb5be81ca17bc64de0b856fde8f5a9a90757489 | test/CodeGen/enum.c | test/CodeGen/enum.c | // RUN: %clang_cc1 -triple i386-unknown-unknown %s -O3 -emit-llvm -o - | grep 'ret i32 6'
// RUN: %clang_cc1 -triple i386-unknown-unknown -x c++ %s -O3 -emit-llvm -o - | grep 'ret i32 7'
static enum { foo, bar = 1U } z;
int main (void)
{
int r = 0;
if (bar - 2 < 0)
r += 4;
if (foo - 1 < 0)
r += 2;
if (z - 1 < 0)
r++;
return r;
}
| // RUN: %clang_cc1 -triple i386-unknown-unknown %s -O3 -emit-llvm -o - | grep 'ret i32 6'
// RUN: %clang_cc1 -triple i386-unknown-unknown -x c++ %s -O3 -emit-llvm -o - | grep 'ret i32 7'
// This test case illustrates a peculiarity of the promotion of
// enumeration types in C and C++. In particular, the enumeration type
// "z" below promotes to an unsigned int in C but int in C++.
static enum { foo, bar = 1U } z;
int main (void)
{
int r = 0;
if (bar - 2 < 0)
r += 4;
if (foo - 1 < 0)
r += 2;
if (z - 1 < 0)
r++;
return r;
}
| Comment a wacky test case | Comment a wacky test case
git-svn-id: ffe668792ed300d6c2daa1f6eba2e0aa28d7ec6c@123758 91177308-0d34-0410-b5e6-96231b3b80d8
| C | apache-2.0 | llvm-mirror/clang,apple/swift-clang,llvm-mirror/clang,llvm-mirror/clang,llvm-mirror/clang,apple/swift-clang,llvm-mirror/clang,apple/swift-clang,llvm-mirror/clang,apple/swift-clang,llvm-mirror/clang,apple/swift-clang,apple/swift-clang,apple/swift-clang,llvm-mirror/clang,apple/swift-clang,llvm-mirror/clang,apple/swift-clang,llvm-mirror/clang,apple/swift-clang |
bc000f3f8183954b8d013eeeed4af2e9d839735a | tests/homebrew-acceptance-test.c | tests/homebrew-acceptance-test.c | /* -*- Mode: C; tab-width: 4; c-basic-offset: 4; indent-tabs-mode: nil -*- */
/*
* Copyright 2013 Couchbase, Inc.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
#include <internal.h> /* getenv, sytem, snprintf */
int main(int argc, char *argv[])
{
#ifndef WIN32
char *srcdir = getenv("srcdir");
char command[FILENAME_MAX];
int status;
snprintf(command, FILENAME_MAX, "%s/tools/cbc version 2>&1", srcdir);
status = system(command);
if (status == -1 || WIFSIGNALED(status) || WEXITSTATUS(status) != 0) {
return 1;
}
snprintf(command, FILENAME_MAX, "%s/tools/cbc help 2>&1", srcdir);
if (status == -1 || WIFSIGNALED(status) || WEXITSTATUS(status) != 0) {
return 1;
}
#endif
return 0;
}
| /* -*- Mode: C; tab-width: 4; c-basic-offset: 4; indent-tabs-mode: nil -*- */
/*
* Copyright 2013 Couchbase, Inc.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
#include <internal.h> /* getenv, sytem, snprintf */
int main(void)
{
#ifndef WIN32
char *srcdir = getenv("srcdir");
char command[FILENAME_MAX];
int status;
snprintf(command, FILENAME_MAX, "%s/tools/cbc version 2>&1", srcdir);
status = system(command);
if (status == -1 || WIFSIGNALED(status) || WEXITSTATUS(status) != 0) {
return 1;
}
snprintf(command, FILENAME_MAX, "%s/tools/cbc help 2>&1", srcdir);
if (status == -1 || WIFSIGNALED(status) || WEXITSTATUS(status) != 0) {
return 1;
}
#endif
return 0;
}
| Fix compile error with -Werror | Fix compile error with -Werror
Change-Id: Ifac2f0b1c06534bc85bad5fe2b2594c4eb208dda
Reviewed-on: http://review.couchbase.org/27387
Tested-by: Trond Norbye <[email protected]>
Reviewed-by: Sergey Avseyev <[email protected]>
| C | apache-2.0 | PureSwift/libcouchbase,kojiromike/libcouchbase,mnunberg/libcouchbase,avsej/libcouchbase,maxim-ky/libcouchbase,avsej/libcouchbase,couchbase/libcouchbase,uvenum/libcouchbase,couchbase/libcouchbase,mody/libcouchbase,senthilkumaranb/libcouchbase,mnunberg/libcouchbase,kojiromike/libcouchbase,maxim-ky/libcouchbase,couchbase/libcouchbase,avsej/libcouchbase,mody/libcouchbase,uvenum/libcouchbase,senthilkumaranb/libcouchbase,couchbase/libcouchbase,senthilkumaranb/libcouchbase,trondn/libcouchbase,mnunberg/libcouchbase,trondn/libcouchbase,avsej/libcouchbase,maxim-ky/libcouchbase,mnunberg/libcouchbase,kojiromike/libcouchbase,PureSwift/libcouchbase,uvenum/libcouchbase,trondn/libcouchbase,couchbase/libcouchbase,signmotion/libcouchbase,uvenum/libcouchbase,avsej/libcouchbase,mnunberg/libcouchbase,senthilkumaranb/libcouchbase,trondn/libcouchbase,signmotion/libcouchbase,couchbase/libcouchbase,PureSwift/libcouchbase,PureSwift/libcouchbase,avsej/libcouchbase,mody/libcouchbase,mody/libcouchbase,kojiromike/libcouchbase,trondn/libcouchbase,signmotion/libcouchbase,avsej/libcouchbase,couchbase/libcouchbase,uvenum/libcouchbase,signmotion/libcouchbase,maxim-ky/libcouchbase |
be4d546b9b4e23bb379282cb65e76944c80d1371 | src/amx_profiler/profile_writer.h | src/amx_profiler/profile_writer.h | // AMX profiler for SA-MP server: http://sa-mp.com
//
// Copyright (C) 2011-2012 Sergey Zolotarev
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
#ifndef AMX_PROFILER_PROFILE_WRITER_H
#define AMX_PROFILER_PROFILE_WRITER_H
#include <memory>
#include <ostream>
#include <vector>
#include "function_info.h"
namespace amx_profiler {
class FunctionInfo;
class ProfileWriter {
public:
virtual void Write(const std::string &script_name, std::ostream &stream,
const std::vector<FunctionInfoPtr> &stats) = 0;
};
} // namespace amx_profiler
#endif // !AMX_PROFILER_PROFILE_WRITER_H
| // AMX profiler for SA-MP server: http://sa-mp.com
//
// Copyright (C) 2011-2012 Sergey Zolotarev
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
#ifndef AMX_PROFILER_PROFILE_WRITER_H
#define AMX_PROFILER_PROFILE_WRITER_H
#include <memory>
#include <ostream>
#include <vector>
#include "function_info.h"
namespace amx_profiler {
class ProfileWriter {
public:
virtual void Write(const std::string &script_name, std::ostream &stream,
const std::vector<FunctionInfoPtr> &stats) = 0;
};
} // namespace amx_profiler
#endif // !AMX_PROFILER_PROFILE_WRITER_H
| Remove useless forward declaration of FunctionInfo | Remove useless forward declaration of FunctionInfo
| C | bsd-2-clause | Zeex/samp-plugin-profiler,Zeex/samp-plugin-profiler |
b98f39c0e86e42242d93c7ca7d8e1ff55f5839fa | src/main.h | src/main.h | #pragma once
#include <unistd.h>
#include <iostream>
#include <list>
#include <map>
#include <mutex>
#include <unordered_map>
#include <queue>
#include <sstream>
#include <set>
#include <thread>
#include <tuple>
#include <vector> | #pragma once
#include <unistd.h>
#include <fstream>
#include <iostream>
#include <list>
#include <map>
#include <mutex>
#include <unordered_map>
#include <queue>
#include <sstream>
#include <set>
#include <thread>
#include <tuple>
#include <vector> | Include fstream for file reading and such. | Include fstream for file reading and such.
| C | mit | ElementalAlchemist/RoBoBo,ElementalAlchemist/RoBoBo |
cd1344fe322cd9d95b2c0f011d6766677cfcb29b | include/linux/gfs2_ioctl.h | include/linux/gfs2_ioctl.h | /*
* Copyright (C) Sistina Software, Inc. 1997-2003 All rights reserved.
* Copyright (C) 2004-2005 Red Hat, Inc. All rights reserved.
*
* This copyrighted material is made available to anyone wishing to use,
* modify, copy, or redistribute it subject to the terms and conditions
* of the GNU General Public License v.2.
*/
#ifndef __GFS2_IOCTL_DOT_H__
#define __GFS2_IOCTL_DOT_H__
#define _GFS2C_(x) (('G' << 16) | ('2' << 8) | (x))
/* Ioctls implemented */
#define GFS2_IOCTL_IDENTIFY _GFS2C_(1)
#define GFS2_IOCTL_SUPER _GFS2C_(2)
#define GFS2_IOCTL_SETFLAGS _GFS2C_(3)
#define GFS2_IOCTL_GETFLAGS _GFS2C_(4)
struct gfs2_ioctl {
unsigned int gi_argc;
const char **gi_argv;
char __user *gi_data;
unsigned int gi_size;
uint64_t gi_offset;
};
#endif /* ___GFS2_IOCTL_DOT_H__ */
| /*
* Copyright (C) Sistina Software, Inc. 1997-2003 All rights reserved.
* Copyright (C) 2004-2005 Red Hat, Inc. All rights reserved.
*
* This copyrighted material is made available to anyone wishing to use,
* modify, copy, or redistribute it subject to the terms and conditions
* of the GNU General Public License v.2.
*/
#ifndef __GFS2_IOCTL_DOT_H__
#define __GFS2_IOCTL_DOT_H__
#define _GFS2C_(x) (('G' << 16) | ('2' << 8) | (x))
/* Ioctls implemented */
#define GFS2_IOCTL_SETFLAGS _GFS2C_(3)
#define GFS2_IOCTL_GETFLAGS _GFS2C_(4)
#endif /* ___GFS2_IOCTL_DOT_H__ */
| Remove unused ioctls and unused structure | [GFS2] Remove unused ioctls and unused structure
Signed-off-by: David Teigland <[email protected]>
Signed-off-by: Steven Whitehouse <[email protected]>
| C | apache-2.0 | TeamVee-Kanas/android_kernel_samsung_kanas,KristFoundation/Programs,TeamVee-Kanas/android_kernel_samsung_kanas,KristFoundation/Programs,TeamVee-Kanas/android_kernel_samsung_kanas,KristFoundation/Programs,KristFoundation/Programs,TeamVee-Kanas/android_kernel_samsung_kanas,KristFoundation/Programs,KristFoundation/Programs,TeamVee-Kanas/android_kernel_samsung_kanas |
0b8792c05c59b3eb9dad6eb054618d8e9f7cacc7 | lib/cmsis_rtos_v1/cmsis_kernel.c | lib/cmsis_rtos_v1/cmsis_kernel.c | /*
* Copyright (c) 2018 Intel Corporation
*
* SPDX-License-Identifier: Apache-2.0
*/
#include <kernel_structs.h>
#include <cmsis_os.h>
#include <ksched.h>
extern const k_tid_t _main_thread;
/**
* @brief Get the RTOS kernel system timer counter
*/
uint32_t osKernelSysTick(void)
{
return k_cycle_get_32();
}
/**
* @brief Initialize the RTOS Kernel for creating objects.
*/
osStatus osKernelInitialize(void)
{
return osOK;
}
/**
* @brief Start the RTOS Kernel.
*/
osStatus osKernelStart(void)
{
return osOK;
}
/**
* @brief Check if the RTOS kernel is already started.
*/
int32_t osKernelRunning(void)
{
return _has_thread_started(_main_thread);
}
| /*
* Copyright (c) 2018 Intel Corporation
*
* SPDX-License-Identifier: Apache-2.0
*/
#include <kernel_structs.h>
#include <cmsis_os.h>
#include <ksched.h>
extern const k_tid_t _main_thread;
/**
* @brief Get the RTOS kernel system timer counter
*/
uint32_t osKernelSysTick(void)
{
return k_cycle_get_32();
}
/**
* @brief Initialize the RTOS Kernel for creating objects.
*/
osStatus osKernelInitialize(void)
{
return osOK;
}
/**
* @brief Start the RTOS Kernel.
*/
osStatus osKernelStart(void)
{
if (_is_in_isr()) {
return osErrorISR;
}
return osOK;
}
/**
* @brief Check if the RTOS kernel is already started.
*/
int32_t osKernelRunning(void)
{
return _has_thread_started(_main_thread);
}
| Check if osKernelStart() is called from ISR | lib/cmsis_rtos_v1: Check if osKernelStart() is called from ISR
Check if osKernelStart() is called from ISR and return error code
appropriately.
Signed-off-by: Spoorthi K <[email protected]>
| C | apache-2.0 | explora26/zephyr,explora26/zephyr,GiulianoFranchetto/zephyr,zephyrproject-rtos/zephyr,galak/zephyr,GiulianoFranchetto/zephyr,finikorg/zephyr,zephyrproject-rtos/zephyr,Vudentz/zephyr,zephyrproject-rtos/zephyr,punitvara/zephyr,Vudentz/zephyr,finikorg/zephyr,nashif/zephyr,GiulianoFranchetto/zephyr,galak/zephyr,punitvara/zephyr,punitvara/zephyr,zephyrproject-rtos/zephyr,nashif/zephyr,finikorg/zephyr,zephyrproject-rtos/zephyr,punitvara/zephyr,nashif/zephyr,ldts/zephyr,Vudentz/zephyr,galak/zephyr,kraj/zephyr,galak/zephyr,punitvara/zephyr,Vudentz/zephyr,nashif/zephyr,explora26/zephyr,kraj/zephyr,Vudentz/zephyr,ldts/zephyr,nashif/zephyr,ldts/zephyr,kraj/zephyr,ldts/zephyr,GiulianoFranchetto/zephyr,GiulianoFranchetto/zephyr,explora26/zephyr,Vudentz/zephyr,ldts/zephyr,finikorg/zephyr,explora26/zephyr,finikorg/zephyr,kraj/zephyr,kraj/zephyr,galak/zephyr |
f00035de368a5a8ed8bcb7c9eec06bedf1c5dfe3 | include/utils.h | include/utils.h | #ifndef UTILS_H
#define UTILS_H
#include <curses.h>
#include <stdint.h>
void color_str(WINDOW *, uint32_t, uint32_t, int16_t, int16_t, const char *);
void init_seed_srand(void);
#endif /* UTILS_H */
| #ifndef UTILS_H
#define UTILS_H
#include <curses.h>
#include <stdint.h>
#define MIN(a,b) (((a)<(b))?(a):(b))
#define MAX(a,b) (((a)>(b))?(a):(b))
void color_str(WINDOW *, uint32_t, uint32_t, int16_t, int16_t, const char *);
void init_seed_srand(void);
#endif /* UTILS_H */
| Add MIN and MAX macros. | Add MIN and MAX macros.
| C | mit | svagionitis/gridNcurses,svagionitis/gridNcurses,svagionitis/gridNcurses |
2af846e7114e98c2883061ffbd0e43adc24033d3 | stmhal/boards/stm32f4xx_prefix.c | stmhal/boards/stm32f4xx_prefix.c | // stm32f4xx_prefix.c becomes the initial portion of the generated pins file.
#include <stdio.h>
#include "py/obj.h"
#include "pin.h"
#include MICROPY_HAL_H
#define AF(af_idx, af_fn, af_unit, af_type, af_ptr) \
{ \
{ &pin_af_type }, \
.name = MP_QSTR_AF ## af_idx ## _ ## af_fn ## af_unit, \
.idx = (af_idx), \
.fn = AF_FN_ ## af_fn, \
.unit = (af_unit), \
.type = AF_PIN_TYPE_ ## af_fn ## _ ## af_type, \
.af_fn = (af_ptr) \
}
#define PIN(p_port, p_pin, p_af, p_adc_num, p_adc_channel) \
{ \
{ &pin_type }, \
.name = MP_QSTR_ ## p_port ## p_pin, \
.port = PORT_ ## p_port, \
.pin = (p_pin), \
.num_af = (sizeof(p_af) / sizeof(pin_obj_t)), \
.pin_mask = (1 << ((p_pin) & 0x0f)), \
.gpio = GPIO ## p_port, \
.af = p_af, \
.adc_num = p_adc_num, \
.adc_channel = p_adc_channel, \
}
| // stm32f4xx_prefix.c becomes the initial portion of the generated pins file.
#include <stdio.h>
#include "py/obj.h"
#include "pin.h"
#include MICROPY_HAL_H
#define AF(af_idx, af_fn, af_unit, af_type, af_ptr) \
{ \
{ &pin_af_type }, \
.name = MP_QSTR_AF ## af_idx ## _ ## af_fn ## af_unit, \
.idx = (af_idx), \
.fn = AF_FN_ ## af_fn, \
.unit = (af_unit), \
.type = AF_PIN_TYPE_ ## af_fn ## _ ## af_type, \
.af_fn = (af_ptr) \
}
#define PIN(p_port, p_pin, p_af, p_adc_num, p_adc_channel) \
{ \
{ &pin_type }, \
.name = MP_QSTR_ ## p_port ## p_pin, \
.port = PORT_ ## p_port, \
.pin = (p_pin), \
.num_af = (sizeof(p_af) / sizeof(pin_af_obj_t)), \
.pin_mask = (1 << ((p_pin) & 0x0f)), \
.gpio = GPIO ## p_port, \
.af = p_af, \
.adc_num = p_adc_num, \
.adc_channel = p_adc_channel, \
}
| Fix alt function number calculation | stmhal/boards/stm32fxx_prefix.c: Fix alt function number calculation
This prevented pin_find_af* functions from being able to find some
of the alternate functions in the pin struct
| C | mit | blmorris/micropython,matthewelse/micropython,pramasoul/micropython,feilongfl/micropython,ceramos/micropython,turbinenreiter/micropython,martinribelotta/micropython,MrSurly/micropython-esp32,stonegithubs/micropython,hiway/micropython,noahchense/micropython,rubencabrera/micropython,dmazzella/micropython,ahotam/micropython,tuc-osg/micropython,hiway/micropython,martinribelotta/micropython,dmazzella/micropython,skybird6672/micropython,drrk/micropython,ruffy91/micropython,dhylands/micropython,HenrikSolver/micropython,HenrikSolver/micropython,redbear/micropython,xyb/micropython,swegener/micropython,henriknelson/micropython,mpalomer/micropython,vitiral/micropython,rubencabrera/micropython,Peetz0r/micropython-esp32,cloudformdesign/micropython,toolmacher/micropython,danicampora/micropython,cloudformdesign/micropython,pozetroninc/micropython,tuc-osg/micropython,swegener/micropython,selste/micropython,noahchense/micropython,henriknelson/micropython,dhylands/micropython,dhylands/micropython,alex-march/micropython,mianos/micropython,danicampora/micropython,ahotam/micropython,cwyark/micropython,tuc-osg/micropython,tdautc19841202/micropython,toolmacher/micropython,TDAbboud/micropython,ruffy91/micropython,noahwilliamsson/micropython,trezor/micropython,pramasoul/micropython,supergis/micropython,emfcamp/micropython,SHA2017-badge/micropython-esp32,ruffy91/micropython,cloudformdesign/micropython,ceramos/micropython,infinnovation/micropython,torwag/micropython,dmazzella/micropython,ChuckM/micropython,galenhz/micropython,mianos/micropython,mianos/micropython,orionrobots/micropython,ernesto-g/micropython,cnoviello/micropython,rubencabrera/micropython,heisewangluo/micropython,xyb/micropython,PappaPeppar/micropython,alex-march/micropython,noahwilliamsson/micropython,kerneltask/micropython,matthewelse/micropython,dxxb/micropython,blazewicz/micropython,mianos/micropython,mgyenik/micropython,SHA2017-badge/micropython-esp32,adamkh/micropython,ChuckM/micropython,omtinez/micropython,AriZuu/micropython,firstval/micropython,blmorris/micropython,firstval/micropython,emfcamp/micropython,swegener/micropython,jlillest/micropython,chrisdearman/micropython,Peetz0r/micropython-esp32,ganshun666/micropython,puuu/micropython,ceramos/micropython,EcmaXp/micropython,oopy/micropython,lbattraw/micropython,tralamazza/micropython,stonegithubs/micropython,ericsnowcurrently/micropython,EcmaXp/micropython,ahotam/micropython,henriknelson/micropython,noahwilliamsson/micropython,drrk/micropython,alex-robbins/micropython,bvernoux/micropython,tralamazza/micropython,turbinenreiter/micropython,ericsnowcurrently/micropython,hiway/micropython,jmarcelino/pycom-micropython,tralamazza/micropython,misterdanb/micropython,lowRISC/micropython,feilongfl/micropython,SHA2017-badge/micropython-esp32,hiway/micropython,kostyll/micropython,dmazzella/micropython,alex-march/micropython,drrk/micropython,praemdonck/micropython,kostyll/micropython,MrSurly/micropython,ryannathans/micropython,AriZuu/micropython,bvernoux/micropython,adafruit/micropython,henriknelson/micropython,alex-robbins/micropython,supergis/micropython,bvernoux/micropython,blazewicz/micropython,henriknelson/micropython,selste/micropython,vriera/micropython,mgyenik/micropython,vitiral/micropython,dinau/micropython,dinau/micropython,lbattraw/micropython,blmorris/micropython,PappaPeppar/micropython,adafruit/micropython,praemdonck/micropython,kostyll/micropython,martinribelotta/micropython,omtinez/micropython,pfalcon/micropython,redbear/micropython,lowRISC/micropython,orionrobots/micropython,supergis/micropython,rubencabrera/micropython,heisewangluo/micropython,orionrobots/micropython,jmarcelino/pycom-micropython,mpalomer/micropython,lowRISC/micropython,emfcamp/micropython,TDAbboud/micropython,ganshun666/micropython,HenrikSolver/micropython,mgyenik/micropython,ganshun666/micropython,kerneltask/micropython,tobbad/micropython,hiway/micropython,ChuckM/micropython,oopy/micropython,tdautc19841202/micropython,alex-robbins/micropython,praemdonck/micropython,adamkh/micropython,firstval/micropython,infinnovation/micropython,EcmaXp/micropython,ruffy91/micropython,pozetroninc/micropython,adafruit/micropython,mpalomer/micropython,galenhz/micropython,ganshun666/micropython,micropython/micropython-esp32,Peetz0r/micropython-esp32,adamkh/micropython,martinribelotta/micropython,jlillest/micropython,pozetroninc/micropython,puuu/micropython,ahotam/micropython,ryannathans/micropython,pfalcon/micropython,firstval/micropython,pozetroninc/micropython,chrisdearman/micropython,jmarcelino/pycom-micropython,bvernoux/micropython,drrk/micropython,chrisdearman/micropython,drrk/micropython,tuc-osg/micropython,xyb/micropython,pfalcon/micropython,xhat/micropython,puuu/micropython,adamkh/micropython,infinnovation/micropython,AriZuu/micropython,omtinez/micropython,tobbad/micropython,xhat/micropython,oopy/micropython,xuxiaoxin/micropython,hosaka/micropython,pozetroninc/micropython,puuu/micropython,MrSurly/micropython-esp32,heisewangluo/micropython,stonegithubs/micropython,martinribelotta/micropython,deshipu/micropython,dxxb/micropython,kerneltask/micropython,toolmacher/micropython,ryannathans/micropython,swegener/micropython,cwyark/micropython,danicampora/micropython,tobbad/micropython,deshipu/micropython,danicampora/micropython,kostyll/micropython,skybird6672/micropython,selste/micropython,adafruit/circuitpython,ernesto-g/micropython,cnoviello/micropython,SHA2017-badge/micropython-esp32,TDAbboud/micropython,alex-robbins/micropython,mgyenik/micropython,AriZuu/micropython,ericsnowcurrently/micropython,misterdanb/micropython,dxxb/micropython,Peetz0r/micropython-esp32,galenhz/micropython,emfcamp/micropython,hosaka/micropython,kerneltask/micropython,noahchense/micropython,chrisdearman/micropython,cwyark/micropython,MrSurly/micropython,kerneltask/micropython,lbattraw/micropython,hosaka/micropython,cnoviello/micropython,HenrikSolver/micropython,ganshun666/micropython,adafruit/circuitpython,TDAbboud/micropython,trezor/micropython,misterdanb/micropython,matthewelse/micropython,redbear/micropython,noahchense/micropython,adamkh/micropython,lbattraw/micropython,omtinez/micropython,hosaka/micropython,utopiaprince/micropython,mianos/micropython,alex-march/micropython,EcmaXp/micropython,xuxiaoxin/micropython,vriera/micropython,torwag/micropython,supergis/micropython,matthewelse/micropython,PappaPeppar/micropython,vitiral/micropython,mhoffma/micropython,pramasoul/micropython,hosaka/micropython,vriera/micropython,jlillest/micropython,Peetz0r/micropython-esp32,jmarcelino/pycom-micropython,cnoviello/micropython,ceramos/micropython,xuxiaoxin/micropython,ceramos/micropython,MrSurly/micropython-esp32,firstval/micropython,vriera/micropython,neilh10/micropython,toolmacher/micropython,puuu/micropython,utopiaprince/micropython,dinau/micropython,adafruit/circuitpython,jmarcelino/pycom-micropython,skybird6672/micropython,ernesto-g/micropython,xuxiaoxin/micropython,deshipu/micropython,HenrikSolver/micropython,MrSurly/micropython-esp32,praemdonck/micropython,micropython/micropython-esp32,oopy/micropython,cwyark/micropython,dhylands/micropython,skybird6672/micropython,turbinenreiter/micropython,noahchense/micropython,pramasoul/micropython,blazewicz/micropython,ChuckM/micropython,trezor/micropython,torwag/micropython,neilh10/micropython,xyb/micropython,turbinenreiter/micropython,dxxb/micropython,adafruit/circuitpython,noahwilliamsson/micropython,trezor/micropython,noahwilliamsson/micropython,supergis/micropython,jlillest/micropython,Timmenem/micropython,misterdanb/micropython,toolmacher/micropython,MrSurly/micropython-esp32,redbear/micropython,blazewicz/micropython,heisewangluo/micropython,emfcamp/micropython,ryannathans/micropython,vitiral/micropython,danicampora/micropython,ernesto-g/micropython,utopiaprince/micropython,xhat/micropython,matthewelse/micropython,tuc-osg/micropython,galenhz/micropython,ruffy91/micropython,cloudformdesign/micropython,selste/micropython,micropython/micropython-esp32,xuxiaoxin/micropython,xhat/micropython,EcmaXp/micropython,ryannathans/micropython,deshipu/micropython,utopiaprince/micropython,xhat/micropython,mhoffma/micropython,lbattraw/micropython,feilongfl/micropython,micropython/micropython-esp32,MrSurly/micropython,deshipu/micropython,vitiral/micropython,MrSurly/micropython,adafruit/micropython,omtinez/micropython,TDAbboud/micropython,dxxb/micropython,cnoviello/micropython,selste/micropython,mhoffma/micropython,alex-march/micropython,skybird6672/micropython,xyb/micropython,mhoffma/micropython,kostyll/micropython,heisewangluo/micropython,blmorris/micropython,dinau/micropython,dhylands/micropython,praemdonck/micropython,cwyark/micropython,trezor/micropython,Timmenem/micropython,cloudformdesign/micropython,ahotam/micropython,neilh10/micropython,mgyenik/micropython,Timmenem/micropython,neilh10/micropython,ericsnowcurrently/micropython,Timmenem/micropython,dinau/micropython,pramasoul/micropython,stonegithubs/micropython,mpalomer/micropython,galenhz/micropython,ericsnowcurrently/micropython,orionrobots/micropython,SHA2017-badge/micropython-esp32,lowRISC/micropython,lowRISC/micropython,utopiaprince/micropython,mhoffma/micropython,tdautc19841202/micropython,PappaPeppar/micropython,tralamazza/micropython,MrSurly/micropython,ernesto-g/micropython,blmorris/micropython,infinnovation/micropython,stonegithubs/micropython,orionrobots/micropython,adafruit/micropython,vriera/micropython,chrisdearman/micropython,feilongfl/micropython,turbinenreiter/micropython,PappaPeppar/micropython,tdautc19841202/micropython,AriZuu/micropython,bvernoux/micropython,rubencabrera/micropython,feilongfl/micropython,ChuckM/micropython,tdautc19841202/micropython,blazewicz/micropython,pfalcon/micropython,misterdanb/micropython,tobbad/micropython,swegener/micropython,alex-robbins/micropython,Timmenem/micropython,neilh10/micropython,tobbad/micropython,redbear/micropython,torwag/micropython,infinnovation/micropython,mpalomer/micropython,jlillest/micropython,matthewelse/micropython,adafruit/circuitpython,pfalcon/micropython,adafruit/circuitpython,micropython/micropython-esp32,oopy/micropython,torwag/micropython |
45481b53b756642f2194ceef38d3c14f1f53d6a9 | src/run_time_error.h | src/run_time_error.h | #ifndef SETI_EXCEPTION_H
#define SETI_EXCEPTION_H
#include <exception>
#include <string>
#include <boost/format.hpp>
namespace setti {
namespace internal {
/**
* @brief Class to represent an run time error
*
* This class encapsulates run time error, and it is
* used to represent errors as symbol not found,
* command not found and out of range
*/
class RunTimeError : public std::exception {
public:
enum class ErrorCode: uint8_t{
NULL_ACCESS,
SYMBOL_NOT_FOUND,
CMD_NOT_FOUND,
OUT_OF_RANGE,
KEY_NOT_FOUND,
INCOMPATIBLE_TYPE
};
RunTimeError();
RunTimeError(ErrorCode code, const boost::format& msg)
: code_(code), msg_(msg) {}
virtual ~RunTimeError() noexcept = default;
/**
* @return the error description and the context as a text string.
*/
virtual const char* what() const noexcept {
msg_.str().c_str();
}
ErrorCode code_;
const boost::format& msg_;
};
}
}
#endif // SETI_EXCEPTION_H
| #ifndef SETI_EXCEPTION_H
#define SETI_EXCEPTION_H
#include <exception>
#include <string>
#include <boost/format.hpp>
namespace setti {
namespace internal {
/**
* @brief Class to represent an run time error
*
* This class encapsulates run time error, and it is
* used to represent errors as symbol not found,
* command not found and out of range
*/
class RunTimeError : public std::exception {
public:
enum class ErrorCode: uint8_t{
NULL_ACCESS,
SYMBOL_NOT_FOUND,
CMD_NOT_FOUND,
OUT_OF_RANGE,
KEY_NOT_FOUND,
INCOMPATIBLE_TYPE
};
RunTimeError();
RunTimeError(ErrorCode code, const boost::format& msg)
: code_(code), msg_(boost::str(msg)) {}
virtual ~RunTimeError() noexcept = default;
/**
* @return the error description and the context as a text string.
*/
virtual const char* what() const noexcept {
msg_.c_str();
}
ErrorCode code_;
std::string msg_;
};
}
}
#endif // SETI_EXCEPTION_H
| Fix run time error message | Fix run time error message
| C | apache-2.0 | alexst07/shell-plus-plus,alexst07/shell-plus-plus,alexst07/setti,alexst07/seti,alexst07/shell-plus-plus |
d689f7a5313a7fd501c2572c493fe6d91a88cba4 | src/gpu/effects/GrProxyMove.h | src/gpu/effects/GrProxyMove.h | /*
* Copyright 2013 Google Inc.
*
* Use of this source code is governed by a BSD-style license that can be
* found in the LICENSE file.
*/
#ifndef GrProxyMove_DEFINED
#define GrProxyMove_DEFINED
// In a few places below we rely on braced initialization order being defined by the C++ spec (left
// to right). We use operator-> on a sk_sp and then in a later argument std::move() the sk_sp. GCC
// 4.9.0 and earlier has a bug where the left to right order evaluation isn't implemented correctly.
#if defined(__GNUC__) && !defined(__clang__)
# define GCC_VERSION (__GNUC__ * 10000 + __GNUC_MINOR__ * 100 + __GNUC_PATCHLEVEL__)
# if (GCC_VERSION > 40900)
# define GCC_EVAL_ORDER_BUG 0
# else
# define GCC_EVAL_ORDER_BUG 1
# endif
# undef GCC_VERSION
#else
# define GCC_EVAL_ORDER_BUG 0
#endif
#if GCC_EVAL_ORDER_BUG
# define GR_PROXY_MOVE(X) (X)
#else
# define GR_PROXY_MOVE(X) (std::move(X))
#endif
#undef GCC_EVAL_ORDER_BUG
#endif
| /*
* Copyright 2013 Google Inc.
*
* Use of this source code is governed by a BSD-style license that can be
* found in the LICENSE file.
*/
#ifndef GrProxyMove_DEFINED
#define GrProxyMove_DEFINED
// In a few places below we rely on braced initialization order being defined by the C++ spec (left
// to right). We use operator-> on a sk_sp and then in a later argument std::move() the sk_sp. GCC
// 4.9.0 and earlier has a bug where the left to right order evaluation isn't implemented correctly.
//
// Clang has the same bug when targeting Windows (http://crbug.com/687259).
// TODO(hans): Remove work-around once Clang is fixed.
#if defined(__GNUC__) && !defined(__clang__)
# define GCC_VERSION (__GNUC__ * 10000 + __GNUC_MINOR__ * 100 + __GNUC_PATCHLEVEL__)
# if (GCC_VERSION > 40900)
# define GCC_EVAL_ORDER_BUG 0
# else
# define GCC_EVAL_ORDER_BUG 1
# endif
# undef GCC_VERSION
#elif defined(_MSC_VER) && defined(__clang__)
# define GCC_EVAL_ORDER_BUG 1
#else
# define GCC_EVAL_ORDER_BUG 0
#endif
#if GCC_EVAL_ORDER_BUG
# define GR_PROXY_MOVE(X) (X)
#else
# define GR_PROXY_MOVE(X) (std::move(X))
#endif
#undef GCC_EVAL_ORDER_BUG
#endif
| Work around Win/Clang eval order bug | GR_PROXY_MOVE: Work around Win/Clang eval order bug
BUG=chromium:687259
Change-Id: I145dac240a3c4f89cf1b6bf6ff54ba73cd110ebf
Reviewed-on: https://skia-review.googlesource.com/7831
Reviewed-by: Hans Wennborg <[email protected]>
Reviewed-by: Brian Salomon <[email protected]>
Commit-Queue: Robert Phillips <[email protected]>
| C | bsd-3-clause | HalCanary/skia-hc,Hikari-no-Tenshi/android_external_skia,HalCanary/skia-hc,HalCanary/skia-hc,HalCanary/skia-hc,aosp-mirror/platform_external_skia,HalCanary/skia-hc,Hikari-no-Tenshi/android_external_skia,Hikari-no-Tenshi/android_external_skia,aosp-mirror/platform_external_skia,rubenvb/skia,google/skia,rubenvb/skia,aosp-mirror/platform_external_skia,rubenvb/skia,Hikari-no-Tenshi/android_external_skia,Hikari-no-Tenshi/android_external_skia,rubenvb/skia,google/skia,google/skia,HalCanary/skia-hc,rubenvb/skia,google/skia,Hikari-no-Tenshi/android_external_skia,rubenvb/skia,aosp-mirror/platform_external_skia,HalCanary/skia-hc,rubenvb/skia,aosp-mirror/platform_external_skia,aosp-mirror/platform_external_skia,google/skia,google/skia,google/skia,rubenvb/skia,aosp-mirror/platform_external_skia,google/skia,aosp-mirror/platform_external_skia,HalCanary/skia-hc,HalCanary/skia-hc,HalCanary/skia-hc,google/skia,rubenvb/skia,google/skia,aosp-mirror/platform_external_skia,Hikari-no-Tenshi/android_external_skia,rubenvb/skia,Hikari-no-Tenshi/android_external_skia,aosp-mirror/platform_external_skia |
48469ae6496b244da1215b5a0d9941ed1bb6ee71 | headers/graphics.h | headers/graphics.h |
typedef struct {
long double r;
long double b;
long double g;
long double a;
} cgColor;
unsigned int framebuffer_h;
unsigned int framebuffer_v;
cgColor ** framebuffer;
void init_framebuffer(unsigned int h, unsigned int v);
|
typedef struct {
long double r;
long double g;
long double b;
long double a;
} cgColor;
unsigned int framebuffer_h;
unsigned int framebuffer_v;
cgColor ** framebuffer;
void init_framebuffer(unsigned int h, unsigned int v);
| Fix mistype in color structure | Fix mistype in color structure
| C | mit | hleon12/RayTracing-Engine,hleonps/Prisma-RayTracer,hleon12/RayTracing-Engine,hleonps/Prisma-RayTracer |
b0a445b9ced67a104890053624bcfeb11b804df2 | TPCocoaGPG/TPGPGOutputChunk.h | TPCocoaGPG/TPGPGOutputChunk.h | //
// TPGPGOutputChunk.h
// TPCocoaGPG
//
// Created by Thomas Pelletier on 10/23/14.
// Copyright (c) 2014 Thomas Pelletier. See LICENSE.
//
#import <Foundation/Foundation.h>
@interface TPGPGOutputChunk : NSObject {
NSString* _key;
NSString* _text;
}
+ (TPGPGOutputChunk*)makeWithKey:(NSString*)key andText:(NSString*)text;
@property (nonatomic, assign) NSString* key;
@property (nonatomic, assign) NSString* text;
@end
| //
// TPGPGOutputChunk.h
// TPCocoaGPG
//
// Created by Thomas Pelletier on 10/23/14.
// Copyright (c) 2014 Thomas Pelletier. See LICENSE.
//
#import <Foundation/Foundation.h>
/**
Internal representation of GPG's parsed standard error.
*/
@interface TPGPGOutputChunk : NSObject {
NSString* _key;
NSString* _text;
}
/**
Allocate and initialize a new chunk.
@param key Output key
@param text Associated text
@return The new chunk
*/
+ (TPGPGOutputChunk*)makeWithKey:(NSString*)key andText:(NSString*)text;
@property (nonatomic, assign) NSString* key;
@property (nonatomic, assign) NSString* text;
@end
| Add some doc for output chunk | Add some doc for output chunk
| C | mit | pelletier/TPCocoaGPG |
b85b36e461985e3732e346d850e69f9e28135044 | include/types.h | include/types.h | #ifndef TYPES_H
#define TYPES_H
// Explicitly-sized versions of integer types
typedef __signed char int8_t;
typedef unsigned char uint8_t;
typedef short int16_t;
typedef unsigned short uint16_t;
typedef int int32_t;
typedef unsigned int uint32_t;
typedef long long int64_t;
typedef unsigned long long uint64_t;
// size_t is used for memory object sizes.
typedef uint32_t size_t;
#endif /* TYPES_H */
| #ifndef TYPES_H
#define TYPES_H
// Explicitly-sized versions of integer types
typedef __signed char int8_t;
typedef unsigned char uint8_t;
typedef short int16_t;
typedef unsigned short uint16_t;
typedef int int32_t;
typedef unsigned int uint32_t;
typedef long long int64_t;
typedef unsigned long long uint64_t;
typedef uint8_t bool;
#define true 1;
#define false 0;
// size_t is used for memory object sizes.
typedef uint32_t size_t;
#endif /* TYPES_H */
| Define bool type together with true/false | Define bool type together with true/false
| C | mit | dutra/x86_kernel,dutra/x86_kernel |
faf0b8c401c31419a11cd8bbc640340f2c6d52da | lib/Target/X86/X86InstrBuilder.h | lib/Target/X86/X86InstrBuilder.h | //===-- X86InstrBuilder.h - Functions to aid building x86 insts -*- C++ -*-===//
//
// This file exposes functions that may be used with BuildMI from the
// MachineInstrBuilder.h file to handle X86'isms in a clean way.
//
// The BuildMem function may be used with the BuildMI function to add entire
// memory references in a single, typed, function call. X86 memory references
// can be very complex expressions (described in the README), so wrapping them
// up behind an easier to use interface makes sense. Descriptions of the
// functions are included below.
//
//===----------------------------------------------------------------------===//
#ifndef X86INSTRBUILDER_H
#define X86INSTRBUILDER_H
#include "llvm/CodeGen/MachineInstrBuilder.h"
/// addDirectMem - This function is used to add a direct memory reference to the
/// current instruction. Because memory references are always represented with
/// four values, this adds: Reg, [1, NoReg, 0] to the instruction
///
inline const MachineInstrBuilder &addDirectMem(const MachineInstrBuilder &MIB,
unsigned Reg) {
return MIB.addReg(Reg).addZImm(1).addMReg(0).addSImm(0);
}
#endif
| //===-- X86InstrBuilder.h - Functions to aid building x86 insts -*- C++ -*-===//
//
// This file exposes functions that may be used with BuildMI from the
// MachineInstrBuilder.h file to handle X86'isms in a clean way.
//
// The BuildMem function may be used with the BuildMI function to add entire
// memory references in a single, typed, function call. X86 memory references
// can be very complex expressions (described in the README), so wrapping them
// up behind an easier to use interface makes sense. Descriptions of the
// functions are included below.
//
//===----------------------------------------------------------------------===//
#ifndef X86INSTRBUILDER_H
#define X86INSTRBUILDER_H
#include "llvm/CodeGen/MachineInstrBuilder.h"
/// addDirectMem - This function is used to add a direct memory reference to the
/// current instruction. Because memory references are always represented with
/// four values, this adds: Reg, [1, NoReg, 0] to the instruction
///
inline const MachineInstrBuilder &addDirectMem(const MachineInstrBuilder &MIB,
unsigned Reg) {
return MIB.addReg(Reg).addZImm(1).addMReg(0).addSImm(0);
}
/// addRegOffset -
///
///
inline const MachineInstrBuilder &addRegOffset(const MachineInstrBuilder &MIB,
unsigned Reg, unsigned Offset) {
return MIB.addReg(Reg).addZImm(1).addMReg(0).addSImm(Offset);
}
#endif
| Add a simple way to add memory locations of format | Add a simple way to add memory locations of format [reg+offset]
git-svn-id: 0ff597fd157e6f4fc38580e8d64ab130330d2411@4825 91177308-0d34-0410-b5e6-96231b3b80d8
| C | apache-2.0 | GPUOpen-Drivers/llvm,llvm-mirror/llvm,chubbymaggie/asap,chubbymaggie/asap,llvm-mirror/llvm,apple/swift-llvm,dslab-epfl/asap,llvm-mirror/llvm,GPUOpen-Drivers/llvm,GPUOpen-Drivers/llvm,apple/swift-llvm,llvm-mirror/llvm,apple/swift-llvm,GPUOpen-Drivers/llvm,llvm-mirror/llvm,llvm-mirror/llvm,llvm-mirror/llvm,llvm-mirror/llvm,chubbymaggie/asap,dslab-epfl/asap,dslab-epfl/asap,apple/swift-llvm,apple/swift-llvm,chubbymaggie/asap,chubbymaggie/asap,GPUOpen-Drivers/llvm,chubbymaggie/asap,GPUOpen-Drivers/llvm,apple/swift-llvm,llvm-mirror/llvm,dslab-epfl/asap,dslab-epfl/asap,GPUOpen-Drivers/llvm,apple/swift-llvm,apple/swift-llvm,GPUOpen-Drivers/llvm,dslab-epfl/asap,dslab-epfl/asap |
0f3348ab04b96d4798b19afc04323c55204fbebd | include/varcache.h | include/varcache.h |
#define VAR_ENCODING_LEN 16
#define VAR_DATESTYLE_LEN 16
#define VAR_TIMEZONE_LEN 36
#define VAR_STDSTR_LEN 4
typedef struct VarCache VarCache;
struct VarCache {
char client_encoding[VAR_ENCODING_LEN];
char datestyle[VAR_DATESTYLE_LEN];
char timezone[VAR_TIMEZONE_LEN];
char std_strings[VAR_STDSTR_LEN];
};
bool varcache_set(VarCache *cache, const char *key, const char *value) /* _MUSTCHECK */;
bool varcache_apply(PgSocket *server, PgSocket *client, bool *changes_p) _MUSTCHECK;
void varcache_fill_unset(VarCache *src, PgSocket *dst);
void varcache_clean(VarCache *cache);
void varcache_add_params(PktBuf *pkt, VarCache *vars);
|
#define VAR_ENCODING_LEN 16
#define VAR_DATESTYLE_LEN 32
#define VAR_TIMEZONE_LEN 36
#define VAR_STDSTR_LEN 4
typedef struct VarCache VarCache;
struct VarCache {
char client_encoding[VAR_ENCODING_LEN];
char datestyle[VAR_DATESTYLE_LEN];
char timezone[VAR_TIMEZONE_LEN];
char std_strings[VAR_STDSTR_LEN];
};
bool varcache_set(VarCache *cache, const char *key, const char *value) /* _MUSTCHECK */;
bool varcache_apply(PgSocket *server, PgSocket *client, bool *changes_p) _MUSTCHECK;
void varcache_fill_unset(VarCache *src, PgSocket *dst);
void varcache_clean(VarCache *cache);
void varcache_add_params(PktBuf *pkt, VarCache *vars);
| Increase room for DateStyle storage. | Increase room for DateStyle storage.
If value is larger than buffer, it stays empty and libpq will drop connection.
| C | isc | kvap/pgbouncer,kvap/pgbouncer,wurenny/pgbouncer-x2,dbaxa/pgbouncer,digoal/pgbouncer-x2,jaiminpan/pgbouncer,dbaxa/pgbouncer,wurenny/pgbouncer-x2,kvap/pgbouncer,wurenny/pgbouncer-x2,jaiminpan/pgbouncer,digoal/pgbouncer-x2,digoal/pgbouncer-x2,wurenny/pgbouncer-x2,jaiminpan/pgbouncer,dbaxa/pgbouncer,dbaxa/pgbouncer,jaiminpan/pgbouncer,digoal/pgbouncer-x2,kvap/pgbouncer |
cea64f7221398e71fcbcc60e0572a7bc7594a1c2 | main.c | main.c | #include "tour.h"
#define NCITIES 5
int main() {
tour t = create_tour(NCITIES);
int i;
for (i = 0; i < NCITIES; i++)
{
printf("%d\n", t[i]);
}
printf("Hello!");
return 0;
} | #include "tour.h"
#define NCITIES 5
#define STARTPOINT 2
int main() {
tour t = create_tour(NCITIES);
populate_tour(t, NCITIES);
start_point(t, STARTPOINT);
swap_cities(t, 3, 4);
int i;
for (i = 0; i < NCITIES; i++)
{
printf("%d\n", t[i]);
}
printf("Hello!\n");
return 0;
} | Test all functions from tour.h. | Test all functions from tour.h.
| C | apache-2.0 | frila/caixeiro |
0143ac1ab6d2a5e9194ba73a3c61b0514f66ea50 | tiledb/sm/c_api/tiledb_version.h | tiledb/sm/c_api/tiledb_version.h | /*
* @file version.h
*
* @section LICENSE
*
* The MIT License
*
* @copyright Copyright (c) 2017-2020 TileDB, Inc.
*
* 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.
*/
#define TILEDB_VERSION_MAJOR 1
#define TILEDB_VERSION_MINOR 7
#define TILEDB_VERSION_PATCH 0
| /*
* @file version.h
*
* @section LICENSE
*
* The MIT License
*
* @copyright Copyright (c) 2017-2020 TileDB, Inc.
*
* 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.
*/
#define TILEDB_VERSION_MAJOR 1
#define TILEDB_VERSION_MINOR 8
#define TILEDB_VERSION_PATCH 0
| Update tiledb version to 1.8.0 for dev | Update tiledb version to 1.8.0 for dev | C | mit | TileDB-Inc/TileDB,TileDB-Inc/TileDB,TileDB-Inc/TileDB,TileDB-Inc/TileDB |
4d157e3b8762ecb49b191cc33762bb1d7e71a8f3 | user/robot/umain.c | user/robot/umain.c | #include <joyos.h>
#include "platform.h"
#include "navigation.h"
extern volatile uint8_t robot_id;
int usetup (void) {
robot_id = 7;
platform_init();
nav_init();
return 0;
}
int umain (void) {
printf("Hello, world!\n");
nav_start();
printf("Nav started, setting coords\n");
moveToPoint(10, 0, 150);
//turnToHeading(45);
printf("Coords set\n");
return 0;
}
| #include <joyos.h>
#include "platform.h"
#include "navigation.h"
extern volatile uint8_t robot_id;
int usetup(void) {
robot_id = 7;
platform_init();
nav_init();
return 0;
}
int umain(void) {
printf("Hello, world!\n");
nav_start();
printf("Nav started, setting coords\n");
moveToPoint(10, 0, 150);
printf("Coords set\n");
//while (1) {
// copy_objects();
// moveToPoint(objects[2].x, objects[2].y, 200);
// waitForMovementComplete();
//}
return 0;
}
| Add VPS target seeking code. | Add VPS target seeking code.
| C | mit | mboyd/6.270,mboyd/6.270 |
906fc80d89f2487c7f3588cf4495ba368f8d3bf4 | game.h | game.h | #ifndef GAME_H
#define GAME_H
#include <stdint.h>
#define SPACING 5
#define FONT "cairo:monospace"
#define FONT_SIZE 12
#define TILE_SIZE (FONT_SIZE * 4)
#define GRID_WIDTH 4
#define GRID_HEIGHT 4
#define GRID_SIZE (GRID_WIDTH * GRID_HEIGHT)
#define BOARD_WIDTH (SPACING + TILE_SIZE * GRID_WIDTH + SPACING * (GRID_WIDTH - 1) + SPACING)
#define BOARD_HEIGHT (SPACING + TILE_SIZE * GRID_HEIGHT + SPACING * (GRID_HEIGHT - 1) + SPACING)
#define BOARD_OFFSET_Y SPACING + TILE_SIZE + SPACING
#define SCREEN_WIDTH SPACING + BOARD_WIDTH + SPACING
#define SCREEN_HEIGHT BOARD_OFFSET_Y + BOARD_HEIGHT + SPACING
extern int SCREEN_PITCH;
typedef struct
{
int up;
int down;
int left;
int right;
int start;
} key_state_t;
void game_calculate_pitch(void);
void game_init(uint16_t *frame_buf);
void game_deinit(void);
void game_reset(void);
void game_update(float delta, key_state_t *new_ks);
void game_render(void);
#endif // GAME_H
| #ifndef GAME_H
#define GAME_H
#include <stdint.h>
#define FONT "cairo:monospace"
#define FONT_SIZE 20
#define SPACING (FONT_SIZE * 0.4)
#define TILE_SIZE (FONT_SIZE * 4)
#define GRID_WIDTH 4
#define GRID_HEIGHT 4
#define GRID_SIZE (GRID_WIDTH * GRID_HEIGHT)
#define BOARD_WIDTH (SPACING + TILE_SIZE * GRID_WIDTH + SPACING * (GRID_WIDTH - 1) + SPACING)
#define BOARD_HEIGHT (SPACING + TILE_SIZE * GRID_HEIGHT + SPACING * (GRID_HEIGHT - 1) + SPACING)
#define BOARD_OFFSET_Y SPACING + TILE_SIZE + SPACING
#define SCREEN_WIDTH SPACING + BOARD_WIDTH + SPACING
#define SCREEN_HEIGHT BOARD_OFFSET_Y + BOARD_HEIGHT + SPACING
extern int SCREEN_PITCH;
typedef struct
{
int up;
int down;
int left;
int right;
int start;
} key_state_t;
void game_calculate_pitch(void);
void game_init(uint16_t *frame_buf);
void game_deinit(void);
void game_reset(void);
void game_update(float delta, key_state_t *new_ks);
void game_render(void);
#endif // GAME_H
| Make spacing depend on font size | Make spacing depend on font size
| C | unlicense | libretro/libretro-2048,libretro/libretro-2048,libretro/libretro-2048,libretro/libretro-2048 |
85546d7ec827b7b0ff822cc86644c1b081142e53 | arch/mips/include/asm/clock.h | arch/mips/include/asm/clock.h | #ifndef __ASM_MIPS_CLOCK_H
#define __ASM_MIPS_CLOCK_H
#include <linux/kref.h>
#include <linux/list.h>
#include <linux/seq_file.h>
#include <linux/clk.h>
struct clk;
struct clk_ops {
void (*init) (struct clk *clk);
void (*enable) (struct clk *clk);
void (*disable) (struct clk *clk);
void (*recalc) (struct clk *clk);
int (*set_rate) (struct clk *clk, unsigned long rate, int algo_id);
long (*round_rate) (struct clk *clk, unsigned long rate);
};
struct clk {
struct list_head node;
const char *name;
int id;
struct module *owner;
struct clk *parent;
struct clk_ops *ops;
struct kref kref;
unsigned long rate;
unsigned long flags;
};
#define CLK_ALWAYS_ENABLED (1 << 0)
#define CLK_RATE_PROPAGATES (1 << 1)
/* Should be defined by processor-specific code */
void arch_init_clk_ops(struct clk_ops **, int type);
int clk_init(void);
int __clk_enable(struct clk *);
void __clk_disable(struct clk *);
void clk_recalc_rate(struct clk *);
int clk_register(struct clk *);
void clk_unregister(struct clk *);
#endif /* __ASM_MIPS_CLOCK_H */
| #ifndef __ASM_MIPS_CLOCK_H
#define __ASM_MIPS_CLOCK_H
#include <linux/kref.h>
#include <linux/list.h>
#include <linux/seq_file.h>
#include <linux/clk.h>
struct clk;
struct clk_ops {
void (*init) (struct clk *clk);
void (*enable) (struct clk *clk);
void (*disable) (struct clk *clk);
void (*recalc) (struct clk *clk);
int (*set_rate) (struct clk *clk, unsigned long rate, int algo_id);
long (*round_rate) (struct clk *clk, unsigned long rate);
};
struct clk {
struct list_head node;
const char *name;
int id;
struct module *owner;
struct clk *parent;
struct clk_ops *ops;
struct kref kref;
unsigned long rate;
unsigned long flags;
};
#define CLK_ALWAYS_ENABLED (1 << 0)
#define CLK_RATE_PROPAGATES (1 << 1)
int clk_init(void);
int __clk_enable(struct clk *);
void __clk_disable(struct clk *);
void clk_recalc_rate(struct clk *);
int clk_register(struct clk *);
void clk_unregister(struct clk *);
#endif /* __ASM_MIPS_CLOCK_H */
| Remove declaration of obsolete arch_init_clk_ops() | MIPS: Remove declaration of obsolete arch_init_clk_ops()
Signed-off-by: Maarten ter Huurne <[email protected]>
Cc: Apelete Seketeli <[email protected]>
Cc: [email protected]
Cc: [email protected]
Patchwork: https://patchwork.linux-mips.org/patch/7671/
Signed-off-by: Ralf Baechle <[email protected]>
| C | mit | KristFoundation/Programs,KristFoundation/Programs,KristFoundation/Programs,KristFoundation/Programs,KristFoundation/Programs,KristFoundation/Programs |
a3c96c925229909535e81c7596e03b66af328a4d | pic16bit/qstrdefsport.h | pic16bit/qstrdefsport.h | // qstrs specific to this port
Q(pyb)
Q(millis)
Q(elapsed_millis)
Q(delay)
Q(LED)
Q(on)
Q(off)
Q(toggle)
Q(Switch)
Q(value)
Q(readall)
Q(readline)
Q(FileIO)
| // qstrs specific to this port
Q(pyb)
Q(millis)
Q(elapsed_millis)
Q(delay)
Q(LED)
Q(on)
Q(off)
Q(toggle)
Q(Switch)
Q(value)
Q(readall)
Q(readinto)
Q(readline)
Q(readlines)
Q(FileIO)
| Add readinto and readlines to qstrs. | pic16bit: Add readinto and readlines to qstrs.
| C | mit | ericsnowcurrently/micropython,pfalcon/micropython,PappaPeppar/micropython,lbattraw/micropython,torwag/micropython,jlillest/micropython,ceramos/micropython,mpalomer/micropython,slzatz/micropython,kostyll/micropython,turbinenreiter/micropython,chrisdearman/micropython,alex-march/micropython,cloudformdesign/micropython,suda/micropython,cwyark/micropython,jlillest/micropython,hiway/micropython,AriZuu/micropython,matthewelse/micropython,puuu/micropython,MrSurly/micropython,kostyll/micropython,stonegithubs/micropython,ceramos/micropython,pozetroninc/micropython,cnoviello/micropython,oopy/micropython,PappaPeppar/micropython,blazewicz/micropython,alex-march/micropython,neilh10/micropython,alex-march/micropython,firstval/micropython,TDAbboud/micropython,dmazzella/micropython,xhat/micropython,deshipu/micropython,dinau/micropython,hosaka/micropython,puuu/micropython,blazewicz/micropython,SHA2017-badge/micropython-esp32,PappaPeppar/micropython,Timmenem/micropython,noahwilliamsson/micropython,cloudformdesign/micropython,dmazzella/micropython,tdautc19841202/micropython,adamkh/micropython,emfcamp/micropython,MrSurly/micropython-esp32,selste/micropython,xhat/micropython,emfcamp/micropython,toolmacher/micropython,heisewangluo/micropython,neilh10/micropython,tuc-osg/micropython,ernesto-g/micropython,drrk/micropython,swegener/micropython,blmorris/micropython,selste/micropython,ahotam/micropython,noahwilliamsson/micropython,deshipu/micropython,lowRISC/micropython,danicampora/micropython,ryannathans/micropython,trezor/micropython,adafruit/micropython,xuxiaoxin/micropython,omtinez/micropython,mianos/micropython,HenrikSolver/micropython,tdautc19841202/micropython,MrSurly/micropython,micropython/micropython-esp32,trezor/micropython,adafruit/circuitpython,cloudformdesign/micropython,xuxiaoxin/micropython,AriZuu/micropython,cwyark/micropython,ganshun666/micropython,praemdonck/micropython,pozetroninc/micropython,dhylands/micropython,EcmaXp/micropython,noahchense/micropython,pozetroninc/micropython,vriera/micropython,ahotam/micropython,pramasoul/micropython,danicampora/micropython,EcmaXp/micropython,ChuckM/micropython,adafruit/circuitpython,cnoviello/micropython,ganshun666/micropython,oopy/micropython,orionrobots/micropython,infinnovation/micropython,pfalcon/micropython,feilongfl/micropython,ahotam/micropython,martinribelotta/micropython,micropython/micropython-esp32,supergis/micropython,mgyenik/micropython,misterdanb/micropython,jmarcelino/pycom-micropython,feilongfl/micropython,dxxb/micropython,kostyll/micropython,ChuckM/micropython,turbinenreiter/micropython,turbinenreiter/micropython,dinau/micropython,ruffy91/micropython,suda/micropython,noahchense/micropython,adamkh/micropython,tdautc19841202/micropython,pramasoul/micropython,ganshun666/micropython,lowRISC/micropython,bvernoux/micropython,AriZuu/micropython,selste/micropython,xuxiaoxin/micropython,tdautc19841202/micropython,skybird6672/micropython,ryannathans/micropython,misterdanb/micropython,ernesto-g/micropython,orionrobots/micropython,TDAbboud/micropython,mhoffma/micropython,misterdanb/micropython,martinribelotta/micropython,swegener/micropython,slzatz/micropython,tobbad/micropython,stonegithubs/micropython,kostyll/micropython,heisewangluo/micropython,dhylands/micropython,chrisdearman/micropython,utopiaprince/micropython,firstval/micropython,noahwilliamsson/micropython,praemdonck/micropython,ruffy91/micropython,HenrikSolver/micropython,Timmenem/micropython,trezor/micropython,Timmenem/micropython,redbear/micropython,orionrobots/micropython,lbattraw/micropython,adamkh/micropython,blazewicz/micropython,mianos/micropython,toolmacher/micropython,skybird6672/micropython,bvernoux/micropython,alex-robbins/micropython,alex-robbins/micropython,praemdonck/micropython,jimkmc/micropython,mpalomer/micropython,xhat/micropython,SHA2017-badge/micropython-esp32,TDAbboud/micropython,rubencabrera/micropython,jimkmc/micropython,noahchense/micropython,tuc-osg/micropython,ganshun666/micropython,xhat/micropython,lowRISC/micropython,micropython/micropython-esp32,blazewicz/micropython,EcmaXp/micropython,omtinez/micropython,redbear/micropython,pramasoul/micropython,mhoffma/micropython,noahchense/micropython,rubencabrera/micropython,ChuckM/micropython,emfcamp/micropython,oopy/micropython,mgyenik/micropython,cwyark/micropython,omtinez/micropython,turbinenreiter/micropython,MrSurly/micropython,xyb/micropython,slzatz/micropython,tralamazza/micropython,micropython/micropython-esp32,drrk/micropython,lbattraw/micropython,puuu/micropython,praemdonck/micropython,torwag/micropython,cnoviello/micropython,bvernoux/micropython,ericsnowcurrently/micropython,firstval/micropython,TDAbboud/micropython,selste/micropython,vitiral/micropython,MrSurly/micropython-esp32,pramasoul/micropython,ChuckM/micropython,ganshun666/micropython,lowRISC/micropython,martinribelotta/micropython,swegener/micropython,tralamazza/micropython,kostyll/micropython,tobbad/micropython,toolmacher/micropython,AriZuu/micropython,jmarcelino/pycom-micropython,neilh10/micropython,blmorris/micropython,ernesto-g/micropython,dxxb/micropython,dinau/micropython,omtinez/micropython,vitiral/micropython,cwyark/micropython,galenhz/micropython,henriknelson/micropython,TDAbboud/micropython,mpalomer/micropython,adafruit/circuitpython,EcmaXp/micropython,jlillest/micropython,jimkmc/micropython,pfalcon/micropython,dmazzella/micropython,firstval/micropython,adafruit/micropython,xyb/micropython,xyb/micropython,swegener/micropython,torwag/micropython,MrSurly/micropython,puuu/micropython,galenhz/micropython,hiway/micropython,danicampora/micropython,dinau/micropython,matthewelse/micropython,jimkmc/micropython,SHA2017-badge/micropython-esp32,misterdanb/micropython,hiway/micropython,dmazzella/micropython,bvernoux/micropython,Peetz0r/micropython-esp32,henriknelson/micropython,vitiral/micropython,pozetroninc/micropython,MrSurly/micropython-esp32,Peetz0r/micropython-esp32,torwag/micropython,MrSurly/micropython-esp32,ceramos/micropython,redbear/micropython,blazewicz/micropython,ahotam/micropython,infinnovation/micropython,utopiaprince/micropython,puuu/micropython,rubencabrera/micropython,adamkh/micropython,mhoffma/micropython,toolmacher/micropython,redbear/micropython,dinau/micropython,pramasoul/micropython,chrisdearman/micropython,mhoffma/micropython,alex-march/micropython,matthewelse/micropython,deshipu/micropython,utopiaprince/micropython,oopy/micropython,hiway/micropython,redbear/micropython,hiway/micropython,lowRISC/micropython,kerneltask/micropython,deshipu/micropython,rubencabrera/micropython,dhylands/micropython,ruffy91/micropython,henriknelson/micropython,ceramos/micropython,ernesto-g/micropython,blmorris/micropython,tobbad/micropython,SHA2017-badge/micropython-esp32,neilh10/micropython,noahwilliamsson/micropython,utopiaprince/micropython,infinnovation/micropython,jlillest/micropython,cloudformdesign/micropython,jlillest/micropython,dxxb/micropython,dhylands/micropython,slzatz/micropython,mianos/micropython,drrk/micropython,suda/micropython,blmorris/micropython,mpalomer/micropython,martinribelotta/micropython,hosaka/micropython,neilh10/micropython,adafruit/micropython,HenrikSolver/micropython,galenhz/micropython,lbattraw/micropython,pfalcon/micropython,Peetz0r/micropython-esp32,jmarcelino/pycom-micropython,misterdanb/micropython,trezor/micropython,ahotam/micropython,vitiral/micropython,slzatz/micropython,tobbad/micropython,SHA2017-badge/micropython-esp32,ericsnowcurrently/micropython,orionrobots/micropython,galenhz/micropython,selste/micropython,kerneltask/micropython,adafruit/micropython,pozetroninc/micropython,hosaka/micropython,turbinenreiter/micropython,alex-robbins/micropython,PappaPeppar/micropython,Timmenem/micropython,jmarcelino/pycom-micropython,swegener/micropython,firstval/micropython,supergis/micropython,omtinez/micropython,danicampora/micropython,skybird6672/micropython,EcmaXp/micropython,mianos/micropython,ceramos/micropython,alex-robbins/micropython,supergis/micropython,feilongfl/micropython,adafruit/circuitpython,tralamazza/micropython,ericsnowcurrently/micropython,cnoviello/micropython,cnoviello/micropython,matthewelse/micropython,vriera/micropython,cloudformdesign/micropython,MrSurly/micropython,AriZuu/micropython,Peetz0r/micropython-esp32,torwag/micropython,skybird6672/micropython,vriera/micropython,orionrobots/micropython,tobbad/micropython,chrisdearman/micropython,praemdonck/micropython,MrSurly/micropython-esp32,lbattraw/micropython,bvernoux/micropython,pfalcon/micropython,mianos/micropython,drrk/micropython,chrisdearman/micropython,ericsnowcurrently/micropython,noahwilliamsson/micropython,alex-march/micropython,tuc-osg/micropython,infinnovation/micropython,feilongfl/micropython,heisewangluo/micropython,HenrikSolver/micropython,mgyenik/micropython,jmarcelino/pycom-micropython,tdautc19841202/micropython,mhoffma/micropython,stonegithubs/micropython,suda/micropython,ruffy91/micropython,PappaPeppar/micropython,tuc-osg/micropython,xhat/micropython,mgyenik/micropython,trezor/micropython,feilongfl/micropython,xyb/micropython,ryannathans/micropython,xuxiaoxin/micropython,heisewangluo/micropython,kerneltask/micropython,xuxiaoxin/micropython,mgyenik/micropython,noahchense/micropython,jimkmc/micropython,adafruit/micropython,hosaka/micropython,xyb/micropython,emfcamp/micropython,ChuckM/micropython,Peetz0r/micropython-esp32,skybird6672/micropython,mpalomer/micropython,matthewelse/micropython,oopy/micropython,alex-robbins/micropython,kerneltask/micropython,ruffy91/micropython,HenrikSolver/micropython,blmorris/micropython,supergis/micropython,toolmacher/micropython,matthewelse/micropython,adamkh/micropython,vitiral/micropython,adafruit/circuitpython,emfcamp/micropython,micropython/micropython-esp32,galenhz/micropython,infinnovation/micropython,stonegithubs/micropython,dxxb/micropython,vriera/micropython,drrk/micropython,dxxb/micropython,adafruit/circuitpython,tralamazza/micropython,ernesto-g/micropython,hosaka/micropython,dhylands/micropython,ryannathans/micropython,henriknelson/micropython,danicampora/micropython,henriknelson/micropython,deshipu/micropython,martinribelotta/micropython,vriera/micropython,ryannathans/micropython,cwyark/micropython,supergis/micropython,stonegithubs/micropython,tuc-osg/micropython,kerneltask/micropython,suda/micropython,heisewangluo/micropython,utopiaprince/micropython,rubencabrera/micropython,Timmenem/micropython |
e647bbbc7692766c7c0226335f46a3f1ecd25ea4 | tensorflow/lite/ios/TensorFlowLiteC.h | tensorflow/lite/ios/TensorFlowLiteC.h | /* Copyright 2022 The TensorFlow Authors. All Rights Reserved.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
==============================================================================*/
#ifndef TENSORFLOW_LITE_IOS_TENSORFLOWLITEC_H_
#define TENSORFLOW_LITE_IOS_TENSORFLOWLITEC_H_
#include "tensorflow/lite/builtin_ops.h"
#include "tensorflow/lite/c/c_api.h"
#include "tensorflow/lite/c/c_api_experimental.h"
#include "tensorflow/lite/c/c_api_types.h"
#include "tensorflow/lite/c/common.h"
#include "tensorflow/lite/delegates/xnnpack/xnnpack_delegate.h"
#endif // TENSORFLOW_LITE_IOS_TENSORFLOWLITEC_H_
| /* Copyright 2022 The TensorFlow Authors. All Rights Reserved.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
==============================================================================*/
#ifndef TENSORFLOW_LITE_IOS_TENSORFLOWLITEC_H_
#define TENSORFLOW_LITE_IOS_TENSORFLOWLITEC_H_
#include "tensorflow/lite/builtin_ops.h"
#include "tensorflow/lite/c/c_api.h"
#include "tensorflow/lite/c/c_api_experimental.h"
#include "tensorflow/lite/c/c_api_types.h"
#include "tensorflow/lite/c/common.h"
#include "tensorflow/lite/core/c/c_api.h"
#include "tensorflow/lite/delegates/xnnpack/xnnpack_delegate.h"
#endif // TENSORFLOW_LITE_IOS_TENSORFLOWLITEC_H_
| Fix iOS nightly release breakage. | Fix iOS nightly release breakage.
Error: c_api_experimental.h: unknown type name 'TfLiteInterpreter', 'TfLiteModel', 'TfLiteInterpreterOptions' ...
PiperOrigin-RevId: 477562262
| C | apache-2.0 | paolodedios/tensorflow,tensorflow/tensorflow-pywrap_tf_optimizer,Intel-tensorflow/tensorflow,tensorflow/tensorflow-experimental_link_static_libraries_once,tensorflow/tensorflow-experimental_link_static_libraries_once,karllessard/tensorflow,yongtang/tensorflow,tensorflow/tensorflow-pywrap_tf_optimizer,tensorflow/tensorflow,paolodedios/tensorflow,yongtang/tensorflow,tensorflow/tensorflow-pywrap_tf_optimizer,tensorflow/tensorflow-pywrap_tf_optimizer,yongtang/tensorflow,paolodedios/tensorflow,tensorflow/tensorflow-pywrap_saved_model,tensorflow/tensorflow-pywrap_saved_model,tensorflow/tensorflow-experimental_link_static_libraries_once,tensorflow/tensorflow-pywrap_saved_model,tensorflow/tensorflow-pywrap_saved_model,paolodedios/tensorflow,karllessard/tensorflow,yongtang/tensorflow,Intel-tensorflow/tensorflow,tensorflow/tensorflow-pywrap_saved_model,tensorflow/tensorflow-experimental_link_static_libraries_once,tensorflow/tensorflow-pywrap_saved_model,yongtang/tensorflow,tensorflow/tensorflow-pywrap_tf_optimizer,yongtang/tensorflow,tensorflow/tensorflow,tensorflow/tensorflow-experimental_link_static_libraries_once,yongtang/tensorflow,paolodedios/tensorflow,paolodedios/tensorflow,paolodedios/tensorflow,tensorflow/tensorflow-pywrap_tf_optimizer,tensorflow/tensorflow-pywrap_saved_model,Intel-tensorflow/tensorflow,tensorflow/tensorflow,tensorflow/tensorflow-pywrap_tf_optimizer,karllessard/tensorflow,tensorflow/tensorflow-pywrap_saved_model,Intel-tensorflow/tensorflow,paolodedios/tensorflow,Intel-tensorflow/tensorflow,tensorflow/tensorflow-experimental_link_static_libraries_once,karllessard/tensorflow,tensorflow/tensorflow,karllessard/tensorflow,Intel-tensorflow/tensorflow,karllessard/tensorflow,yongtang/tensorflow,tensorflow/tensorflow,Intel-tensorflow/tensorflow,tensorflow/tensorflow,karllessard/tensorflow,tensorflow/tensorflow,tensorflow/tensorflow-experimental_link_static_libraries_once,yongtang/tensorflow,tensorflow/tensorflow-experimental_link_static_libraries_once,tensorflow/tensorflow-pywrap_saved_model,paolodedios/tensorflow,Intel-tensorflow/tensorflow,tensorflow/tensorflow,karllessard/tensorflow,tensorflow/tensorflow-experimental_link_static_libraries_once,tensorflow/tensorflow-pywrap_saved_model,tensorflow/tensorflow-pywrap_tf_optimizer,paolodedios/tensorflow,karllessard/tensorflow,yongtang/tensorflow,tensorflow/tensorflow,karllessard/tensorflow,tensorflow/tensorflow-experimental_link_static_libraries_once,Intel-tensorflow/tensorflow,tensorflow/tensorflow,Intel-tensorflow/tensorflow,tensorflow/tensorflow-pywrap_tf_optimizer,tensorflow/tensorflow-experimental_link_static_libraries_once,tensorflow/tensorflow-pywrap_tf_optimizer,tensorflow/tensorflow-pywrap_saved_model,tensorflow/tensorflow-pywrap_tf_optimizer,karllessard/tensorflow,paolodedios/tensorflow,yongtang/tensorflow,tensorflow/tensorflow,Intel-tensorflow/tensorflow |
e2496a13ddc1c1c422098fbe0ef0f636767da6e2 | polygonOptimizer.h | polygonOptimizer.h | #ifndef POLYGON_OPTIMIZER_H
#define POLYGON_OPTIMIZER_H
void optimizePolygon(ClipperLib::Polygon& poly)
{
Point p0 = poly[poly.size()-1];
for(unsigned int i=0;i<poly.size();i++)
{
Point p1 = poly[i];
if (shorterThen(p0 - p1, 10))
{
poly.erase(poly.begin() + i);
i --;
}else{
p0 = p1;
}
}
}
void optimizePolygons(Polygons& polys)
{
for(unsigned int n=0;n<polys.size();n++)
{
optimizePolygon(polys[n]);
}
}
#endif//POLYGON_OPTIMIZER_H
| #ifndef POLYGON_OPTIMIZER_H
#define POLYGON_OPTIMIZER_H
void optimizePolygon(ClipperLib::Polygon& poly)
{
Point p0 = poly[poly.size()-1];
for(unsigned int i=0;i<poly.size();i++)
{
Point p1 = poly[i];
if (shorterThen(p0 - p1, 10))
{
poly.erase(poly.begin() + i);
i --;
}else{
p0 = p1;
}
}
}
void optimizePolygons(Polygons& polys)
{
for(unsigned int n=0;n<polys.size();n++)
{
optimizePolygon(polys[n]);
if (polys[n].size() < 3)
{
polys.erase(polys.begin() + n);
n--;
}
}
}
#endif//POLYGON_OPTIMIZER_H
| Remove empty polygons after optimizing. | Remove empty polygons after optimizing.
| C | agpl-3.0 | patrick3coffee/CuraTinyG,pratikshashroff/pcura,mspark93/CuraEngine,jacobdai/CuraEngine-1,ROBO3D/CuraEngine,foosel/CuraEngine,totalretribution/CuraEngine,electrocbd/CuraEngine,totalretribution/CuraEngine,uus169/CuraEngine,Jwis921/PersonalCuraEngine,uus169/CuraEngine,robotustra/curax,foosel/CuraEngine,markwal/CuraEngine,fxtentacle/CuraEngine,fxtentacle/CuraEngine,alex1818/CuraEngine,derekhe/CuraEngine,phonyphonecall/CuraEngine,electrocbd/CuraEngine,alephobjects/CuraEngine,daid/CuraCutEngine,derekhe/CuraEngine,totalretribution/CuraEngine,be3d/CuraEngine,alephobjects/CuraEngine,Ultimaker/CuraEngine,electrocbd/CuraEngine,ROBO3D/CuraEngine,pratikshashroff/pcura,jacobdai/CuraEngine-1,Intrinsically-Sublime/CuraEngine,robotustra/curax,jacobdai/CuraEngine-1,be3d/CuraEngine,patrick3coffee/CuraTinyG,phonyphonecall/CuraEngine,markwal/CuraEngine,robotustra/curax,Skeen/CuraJS-Engine,uus169/CuraEngine,ROBO3D/CuraEngine,Intrinsically-Sublime/CuraEngine,markwal/CuraEngine,alex1818/CuraEngine,phonyphonecall/CuraEngine,mspark93/CuraEngine,patrick3coffee/CuraTinyG,Skeen/CuraJS-Engine,alex1818/CuraEngine,Ultimaker/CuraEngine,fxtentacle/CuraEngine,derekhe/CuraEngine,Intrinsically-Sublime/CuraEngine,daid/CuraCutEngine,Jwis921/PersonalCuraEngine,foosel/CuraEngine,Skeen/CuraJS-Engine,pratikshashroff/pcura,mspark93/CuraEngine,Jwis921/PersonalCuraEngine,be3d/CuraEngine,alephobjects/CuraEngine |
3cf557a7440a77e72b4b43689a9a5071c2080aa1 | atomic.h | atomic.h | #ifndef ATOMIC_H
#define ATOMIC_H
#include "fibrili.h"
#define atomic_fence() fibrili_fence()
#define atomic_lock(lock) fibrili_lock(lock)
#define atomic_unlock(lock) fibrili_unlock(lock)
#endif /* end of include guard: ATOMIC_H */
| #ifndef ATOMIC_H
#define ATOMIC_H
#include "fibrili.h"
#define atomic_fence() fibrili_fence()
#define atomic_lock(lock) fibrili_lock(lock)
#define atomic_unlock(lock) fibrili_unlock(lock)
#define atomic_load(val) __atomic_load_n(&(val), __ATOMIC_ACQUIRE)
#define atomic_fadd(val, n) __atomic_fetch_add(&(val), n, __ATOMIC_ACQ_REL)
static inline void atomic_barrier(int nprocs)
{
static volatile int _count;
static volatile int _sense;
static volatile __thread int _local_sense;
int sense = !_local_sense;
if (atomic_fadd(_count, 1) == nprocs - 1) {
_count = 0;
_sense = sense;
}
while (_sense != sense);
_local_sense = sense;
atomic_fence();
}
#endif /* end of include guard: ATOMIC_H */
| Add barrier, fadd, and load. | Add barrier, fadd, and load.
| C | mit | chaoran/fibril,chaoran/fibril,chaoran/fibril |
a7aae9bd5cbe82218bc61cdd00860272732e3dec | Classes/CoreFactoryGentleman/CoreFactoryGentleman.h | Classes/CoreFactoryGentleman/CoreFactoryGentleman.h | #import <CoreData/CoreData.h>
#import <FactoryGentleman/FactoryGentleman.h>
#import "CFGFactoryDefiner.h"
#import "CFGObjectBuilder.h"
| #import <CoreData/CoreData.h>
#import <FactoryGentleman/FactoryGentleman.h>
#import "CFGCoreFactoryGentleman.h"
#import "CFGFactoryDefiner.h"
#import "CFGObjectBuilder.h"
| Add functionality to bootstrap header | Add functionality to bootstrap header | C | mit | FactoryGentleman/CoreFactoryGentleman,soundcloud/CoreFactoryGentleman |
b6155d3162f6da3dc8f0f1a5daa8decc73904763 | libc/sysdeps/linux/or32/bits/kernel_types.h | libc/sysdeps/linux/or32/bits/kernel_types.h | /* taken from linux/include/asm-or32/posix_types.h */
/*
* Using the same guard as posix_types.h from linux headers
* enssures the uclibc (this) version is beeing used.
*/
#if ! defined _OR32_POSIX_TYPES_H
#define _OR32_POSIX_TYPES_H
/*
* This file is generally used by user-level software, so you need to
* be a little careful about namespace pollution etc. Also, we cannot
* assume GCC is being used.
*/
typedef unsigned int __kernel_ino_t;
typedef unsigned int __kernel_mode_t;
typedef unsigned short __kernel_nlink_t;
typedef long __kernel_off_t;
typedef int __kernel_pid_t;
typedef unsigned int __kernel_uid_t;
typedef unsigned int __kernel_gid_t;
typedef unsigned int __kernel_size_t;
typedef int __kernel_ssize_t;
typedef long __kernel_ptrdiff_t;
typedef long __kernel_time_t;
typedef long __kernel_suseconds_t;
typedef long __kernel_clock_t;
typedef int __kernel_daddr_t;
typedef char * __kernel_caddr_t;
typedef short __kernel_ipc_pid_t;
typedef unsigned short __kernel_uid16_t;
typedef unsigned short __kernel_gid16_t;
typedef unsigned int __kernel_uid32_t;
typedef unsigned int __kernel_gid32_t;
typedef unsigned int __kernel_old_uid_t;
typedef unsigned int __kernel_old_gid_t;
typedef unsigned int __kernel_old_dev_t;
/* this is workaround for uclibc */
typedef unsigned int __kernel_dev_t;
#ifdef __GNUC__
typedef long long __kernel_loff_t;
#endif
typedef struct {
int val[2];
} __kernel_fsid_t;
#endif /* _OR32_POSIX_TYPES_H */
| #include <asm/posix_types.h>
| Use generic posix_types from Linux kernel | Use generic posix_types from Linux kernel
The kernel headers asm/posix_types.h and asm-generic/posix_types.h are
made to be included directly into libc, and doing so saves us the effort
of having to keep these files in sync.
| C | lgpl-2.1 | skristiansson/uClibc-or1k,skristiansson/uClibc-or1k,skristiansson/uClibc-or1k,skristiansson/uClibc-or1k |
42afa0c5d2e3cfac5535d218027c05eb742b1383 | csrc/woff2/port.h | csrc/woff2/port.h | // Copyright 2013 Google Inc. All Rights Reserved.
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
//
// Helper function for bit twiddling
#ifndef WOFF2_PORT_H_
#define WOFF2_PORT_H_
namespace woff2 {
typedef unsigned int uint32;
inline int Log2Floor(uint32 n) {
#if defined(__GNUC__)
return n == 0 ? -1 : 31 ^ __builtin_clz(n);
#else
if (n == 0)
return -1;
int log = 0;
uint32 value = n;
for (int i = 4; i >= 0; --i) {
int shift = (1 << i);
uint32 x = value >> shift;
if (x != 0) {
value = x;
log += shift;
}
}
assert(value == 1);
return log;
#endif
}
} // namespace woff2
#endif // WOFF2_PORT_H_
| // Copyright 2013 Google Inc. All Rights Reserved.
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
//
// Helper function for bit twiddling
#ifndef WOFF2_PORT_H_
#define WOFF2_PORT_H_
#include <assert.h>
namespace woff2 {
typedef unsigned int uint32;
inline int Log2Floor(uint32 n) {
#if defined(__GNUC__)
return n == 0 ? -1 : 31 ^ __builtin_clz(n);
#else
if (n == 0)
return -1;
int log = 0;
uint32 value = n;
for (int i = 4; i >= 0; --i) {
int shift = (1 << i);
uint32 x = value >> shift;
if (x != 0) {
value = x;
log += shift;
}
}
assert(value == 1);
return log;
#endif
}
} // namespace woff2
#endif // WOFF2_PORT_H_
| Include assert.h explicitly to fix windows build | Include assert.h explicitly to fix windows build
Fixes the error: C3861: 'assert': identifier not found
| C | mit | nfroidure/ttf2woff2,nfroidure/ttf2woff2,nfroidure/ttf2woff2,nfroidure/ttf2woff2 |
32dc512baba57ac6c23de8f6bac7112e34ef0590 | runtime/include/comm/chpl-comm-task-decls.h | runtime/include/comm/chpl-comm-task-decls.h | // This is the last-resort version of this file. It will be used only
// if the comm layer implementation does not supply one.
#ifndef _chpl_comm_task_decls_h
#define _chpl_comm_task_decls_h
// Define the type of a n.b. communications handle.
typedef void* chpl_comm_nb_handle_t;
typedef struct {
} chpl_comm_taskPrvData_t;
#undef HAS_CHPL_CACHE_FNS
#endif
| // This is the last-resort version of this file. It will be used only
// if the comm layer implementation does not supply one.
#ifndef _chpl_comm_task_decls_h
#define _chpl_comm_task_decls_h
// Define the type of a n.b. communications handle.
typedef void* chpl_comm_nb_handle_t;
typedef struct {
int dummy; // structs must be nonempty
} chpl_comm_taskPrvData_t;
#undef HAS_CHPL_CACHE_FNS
#endif
| Make an empty struct nonempty. | Make an empty struct nonempty.
In r23405 we added a component of the task private data to hold comm
layer information. This is chpl_comm_taskPrvData_t, a struct typt. For
comm=none we don't need any comm layer info, so we made the struct type
empty. Unfortunately empty struct types aren't legal C (c99 standard,
6.2.5 (20)). The gcc compiler lets this pass, but the PGI and Cray
compilers bark at it. To fix this, add a dummy element to the struct
for the comm=none case. (I tried making it a 0-length array, but the
PGI compiler barked at that, too.)
git-svn-id: 88467cb1fb04b8a755be7e1ee1026be4190196ef@23411 3a8e244f-b0f2-452b-bcba-4c88e055c3ca
| C | apache-2.0 | sungeunchoi/chapel,CoryMcCartan/chapel,hildeth/chapel,hildeth/chapel,CoryMcCartan/chapel,CoryMcCartan/chapel,sungeunchoi/chapel,hildeth/chapel,hildeth/chapel,chizarlicious/chapel,sungeunchoi/chapel,hildeth/chapel,chizarlicious/chapel,hildeth/chapel,chizarlicious/chapel,CoryMcCartan/chapel,chizarlicious/chapel,CoryMcCartan/chapel,sungeunchoi/chapel,sungeunchoi/chapel,CoryMcCartan/chapel,sungeunchoi/chapel,chizarlicious/chapel,chizarlicious/chapel,chizarlicious/chapel,sungeunchoi/chapel,hildeth/chapel,CoryMcCartan/chapel,sungeunchoi/chapel |
88756c39fb6ffe464e05fbc1e0227fe8cf78b1a5 | lib/smurff-cpp/SmurffCpp/StatusItem.h | lib/smurff-cpp/SmurffCpp/StatusItem.h | #pragma once
#include <string>
namespace smurff {
struct StatusItem
{
std::string phase;
int iter;
int phase_iter;
std::vector<double> model_norms;
double rmse_avg;
double rmse_1sample;
double train_rmse;
double auc_1sample;
double auc_avg;
double elapsed_iter;
double nnz_per_sec;
double samples_per_sec;
// to csv
static std::string getCsvHeader();
std::string asCsvString() const;
};
} | Allow printing of status after step | Allow printing of status after step
| C | mit | ExaScience/smurff,ExaScience/smurff,ExaScience/smurff,ExaScience/smurff,ExaScience/smurff,ExaScience/smurff |
|
c804b5c55d42fcdc645dd81014d6bef253bd9f39 | iobuf/iobuf_init.c | iobuf/iobuf_init.c | #include <stdlib.h>
#include <string.h>
#include <sys/mman.h>
#include "iobuf.h"
unsigned iobuf_bufsize = 8192;
int iobuf_init(iobuf* io, int fd, unsigned bufsize, char* buffer, unsigned flags)
{
memset(io, 0, sizeof *io);
if (!bufsize) bufsize = iobuf_bufsize;
if (!buffer) {
if ((buffer = mmap(0, bufsize, PROT_READ|PROT_WRITE,
MAP_PRIVATE|MAP_ANONYMOUS, 0, 0)) != 0)
flags |= IOBUF_NEEDSMUNMAP;
else {
if ((buffer = malloc(bufsize)) == 0) return 0;
flags |= IOBUF_NEEDSFREE;
}
}
io->fd = fd;
io->buffer = buffer;
io->bufsize = bufsize;
io->flags = flags;
return 1;
}
| #include <sys/types.h>
#include <stdlib.h>
#include <string.h>
#include <sys/mman.h>
#include "iobuf.h"
unsigned iobuf_bufsize = 8192;
#ifndef MAP_ANONYMOUS
#define MAP_ANONYMOUS MAP_ANON
#endif
int iobuf_init(iobuf* io, int fd, unsigned bufsize, char* buffer, unsigned flags)
{
memset(io, 0, sizeof *io);
if (!bufsize) bufsize = iobuf_bufsize;
if (!buffer) {
if ((buffer = mmap(0, bufsize, PROT_READ|PROT_WRITE,
MAP_PRIVATE|MAP_ANONYMOUS, 0, 0)) != 0)
flags |= IOBUF_NEEDSMUNMAP;
else {
if ((buffer = malloc(bufsize)) == 0) return 0;
flags |= IOBUF_NEEDSFREE;
}
}
io->fd = fd;
io->buffer = buffer;
io->bufsize = bufsize;
io->flags = flags;
return 1;
}
| Use MAP_ANON if MAP_ANONYMOUS is not defined. | Use MAP_ANON if MAP_ANONYMOUS is not defined.
| C | lgpl-2.1 | bruceg/bglibs,bruceg/bglibs,bruceg/bglibs,bruceg/bglibs,bruceg/bglibs,bruceg/bglibs |
f4189d1b617bffab365be9fa433a67852382d5e5 | examples/sensors/ds18b20/bsp430_config.h | examples/sensors/ds18b20/bsp430_config.h | /* Use a crystal if one is installed. Much more accurate timing
* results. */
#define BSP430_PLATFORM_BOOT_CONFIGURE_LFXT1 1
/* Application does output: support spin-for-jumper */
#ifndef configBSP430_PLATFORM_SPIN_FOR_JUMPER
#define configBSP430_PLATFORM_SPIN_FOR_JUMPER 1
#endif /* configBSP430_PLATFORM_SPIN_FOR_JUMPER */
#define configBSP430_CONSOLE 1
#define configBSP430_UPTIME 1
/* Specify placement on P1.7 */
#define APP_DS18B20_PORT_HAL BSP430_HAL_PORT1
#define APP_DS18B20_BIT BIT7
/* Request the corresponding HAL */
#define configBSP430_HAL_PORT1 1
/* Get platform defaults */
#include <bsp430/platform/bsp430_config.h>
| /* Use a crystal if one is installed. Much more accurate timing
* results. */
#define BSP430_PLATFORM_BOOT_CONFIGURE_LFXT1 1
/* Application does output: support spin-for-jumper */
#ifndef configBSP430_PLATFORM_SPIN_FOR_JUMPER
#define configBSP430_PLATFORM_SPIN_FOR_JUMPER 1
#endif /* configBSP430_PLATFORM_SPIN_FOR_JUMPER */
#define configBSP430_CONSOLE 1
#define configBSP430_UPTIME 1
#if BSP430_PLATFORM_SURF - 0
/* SuRF has a DS1825 on P3.7, but the software is the same */
#define APP_DS18B20_PORT_HAL BSP430_HAL_PORT3
#define APP_DS18B20_BIT BIT7
#define configBSP430_HAL_PORT3 1
#else /* BSP430_PLATFORM_SURF */
/* External hookup DS18B20 to on P1.7 */
#define APP_DS18B20_PORT_HAL BSP430_HAL_PORT1
#define APP_DS18B20_BIT BIT7
/* Request the corresponding HAL */
#define configBSP430_HAL_PORT1 1
#endif /* BSP430_PLATFORM_SURF */
/* Get platform defaults */
#include <bsp430/platform/bsp430_config.h>
| Support SuRF on-board DS1825 in ds18b20 demo | Support SuRF on-board DS1825 in ds18b20 demo
| C | bsd-3-clause | pabigot/bsp430,pabigot/bsp430,pabigot/bsp430,pabigot/bsp430 |
Subsets and Splits
No saved queries yet
Save your SQL queries to embed, download, and access them later. Queries will appear here once saved.